19175: Merge branch 'main' into 19175-doc-refactor-multi-host-installation
[arvados.git] / lib / boot / supervisor.go
1 // Copyright (C) The Arvados Authors. All rights reserved.
2 //
3 // SPDX-License-Identifier: AGPL-3.0
4
5 package boot
6
7 import (
8         "bytes"
9         "context"
10         "crypto/rand"
11         "encoding/json"
12         "errors"
13         "fmt"
14         "io"
15         "io/ioutil"
16         "net"
17         "net/url"
18         "os"
19         "os/exec"
20         "os/signal"
21         "os/user"
22         "path/filepath"
23         "reflect"
24         "strconv"
25         "strings"
26         "sync"
27         "syscall"
28         "time"
29
30         "git.arvados.org/arvados.git/lib/config"
31         "git.arvados.org/arvados.git/lib/service"
32         "git.arvados.org/arvados.git/sdk/go/arvados"
33         "git.arvados.org/arvados.git/sdk/go/ctxlog"
34         "git.arvados.org/arvados.git/sdk/go/health"
35         "github.com/fsnotify/fsnotify"
36         "github.com/sirupsen/logrus"
37 )
38
39 type Supervisor struct {
40         // Config file location like "/etc/arvados/config.yml", or "-"
41         // to read from Stdin (see below).
42         ConfigPath string
43         // Literal config file (useful for test suites). If non-empty,
44         // this is used instead of ConfigPath.
45         ConfigYAML string
46         // Path to arvados source tree. Only used for dev/test
47         // clusters.
48         SourcePath string
49         // Version number to build into binaries. Only used for
50         // dev/test clusters.
51         SourceVersion string
52         // "production", "development", or "test".
53         ClusterType string
54         // Listening address for external services, and internal
55         // services whose InternalURLs are not explicitly configured.
56         // If blank, listen on the configured controller ExternalURL
57         // host; if that is also blank, listen on all addresses
58         // (0.0.0.0).
59         ListenHost string
60         // Default host:port for controller ExternalURL if not
61         // explicitly configured in config file. If blank, use a
62         // random port on ListenHost.
63         ControllerAddr string
64         // Path to arvados-workbench2 source tree checkout.
65         Workbench2Source     string
66         NoWorkbench1         bool
67         NoWorkbench2         bool
68         OwnTemporaryDatabase bool
69         Stdin                io.Reader
70         Stderr               io.Writer
71
72         logger   logrus.FieldLogger
73         cluster  *arvados.Cluster       // nil if this is a multi-cluster supervisor
74         children map[string]*Supervisor // nil if this is a single-cluster supervisor
75
76         ctx           context.Context
77         cancel        context.CancelFunc
78         done          chan struct{}      // closed when child procs/services have shut down
79         err           error              // error that caused shutdown (valid when done is closed)
80         healthChecker *health.Aggregator // nil if this is a multi-cluster supervisor, or still booting
81         tasksReady    map[string]chan bool
82         waitShutdown  sync.WaitGroup
83
84         bindir     string
85         tempdir    string // in production mode, this is accessible only to root
86         wwwtempdir string // in production mode, this is accessible only to www-data
87         configfile string
88         environ    []string // for child processes
89 }
90
91 func (super *Supervisor) Clusters() map[string]*arvados.Cluster {
92         m := map[string]*arvados.Cluster{}
93         if super.cluster != nil {
94                 m[super.cluster.ClusterID] = super.cluster
95         }
96         for id, super2 := range super.children {
97                 m[id] = super2.Cluster("")
98         }
99         return m
100 }
101
102 func (super *Supervisor) Cluster(id string) *arvados.Cluster {
103         if super.children != nil {
104                 return super.children[id].Cluster(id)
105         } else {
106                 return super.cluster
107         }
108 }
109
110 func (super *Supervisor) Start(ctx context.Context) {
111         super.logger = ctxlog.FromContext(ctx)
112         super.ctx, super.cancel = context.WithCancel(ctx)
113         super.done = make(chan struct{})
114
115         sigch := make(chan os.Signal)
116         signal.Notify(sigch, syscall.SIGINT, syscall.SIGTERM)
117         defer signal.Stop(sigch)
118         go func() {
119                 for sig := range sigch {
120                         super.logger.WithField("signal", sig).Info("caught signal")
121                         if super.err == nil {
122                                 super.err = fmt.Errorf("caught signal %s", sig)
123                         }
124                         super.cancel()
125                 }
126         }()
127
128         hupch := make(chan os.Signal)
129         signal.Notify(hupch, syscall.SIGHUP)
130         defer signal.Stop(hupch)
131         go func() {
132                 for sig := range hupch {
133                         super.logger.WithField("signal", sig).Info("caught signal")
134                         if super.err == nil {
135                                 super.err = errNeedConfigReload
136                         }
137                         super.cancel()
138                 }
139         }()
140
141         loaderStdin := super.Stdin
142         if super.ConfigYAML != "" {
143                 loaderStdin = bytes.NewBufferString(super.ConfigYAML)
144         }
145         loader := config.NewLoader(loaderStdin, super.logger)
146         loader.SkipLegacy = true
147         loader.SkipAPICalls = true
148         loader.Path = super.ConfigPath
149         if super.ConfigYAML != "" {
150                 loader.Path = "-"
151         }
152         cfg, err := loader.Load()
153         if err != nil {
154                 super.err = err
155                 close(super.done)
156                 super.cancel()
157                 return
158         }
159
160         if super.ConfigPath != "" && super.ConfigPath != "-" && cfg.AutoReloadConfig {
161                 go watchConfig(super.ctx, super.logger, super.ConfigPath, copyConfig(cfg), func() {
162                         if super.err == nil {
163                                 super.err = errNeedConfigReload
164                         }
165                         super.cancel()
166                 })
167         }
168
169         if len(cfg.Clusters) > 1 {
170                 super.startFederation(cfg)
171                 go func() {
172                         defer super.cancel()
173                         defer close(super.done)
174                         for _, super2 := range super.children {
175                                 err := super2.Wait()
176                                 if super.err == nil {
177                                         super.err = err
178                                 }
179                         }
180                 }()
181         } else {
182                 go func() {
183                         defer super.cancel()
184                         defer close(super.done)
185                         super.cluster, super.err = cfg.GetCluster("")
186                         if super.err != nil {
187                                 return
188                         }
189                         err := super.runCluster()
190                         if err != nil {
191                                 super.logger.WithError(err).Info("supervisor shut down")
192                                 if super.err == nil {
193                                         super.err = err
194                                 }
195                         }
196                 }()
197         }
198 }
199
200 // Wait returns when all child processes and goroutines have exited.
201 func (super *Supervisor) Wait() error {
202         <-super.done
203         return super.err
204 }
205
206 // startFederation starts a child Supervisor for each cluster in the
207 // given config. Each is a copy of the original/parent with the
208 // original config reduced to a single cluster.
209 func (super *Supervisor) startFederation(cfg *arvados.Config) {
210         super.children = map[string]*Supervisor{}
211         for id, cc := range cfg.Clusters {
212                 super2 := *super
213                 yaml, err := json.Marshal(arvados.Config{Clusters: map[string]arvados.Cluster{id: cc}})
214                 if err != nil {
215                         panic(fmt.Sprintf("json.Marshal partial config: %s", err))
216                 }
217                 super2.ConfigYAML = string(yaml)
218                 super2.ConfigPath = "-"
219                 super2.children = nil
220
221                 if super2.ClusterType == "test" {
222                         super2.Stderr = &service.LogPrefixer{
223                                 Writer: super.Stderr,
224                                 Prefix: []byte("[" + id + "] "),
225                         }
226                 }
227                 super2.Start(super.ctx)
228                 super.children[id] = &super2
229         }
230 }
231
232 func (super *Supervisor) runCluster() error {
233         cwd, err := os.Getwd()
234         if err != nil {
235                 return err
236         }
237         if super.ClusterType == "test" && super.SourcePath == "" {
238                 // When invoked by test suite, default to current
239                 // source tree
240                 buf, err := exec.Command("git", "rev-parse", "--show-toplevel").CombinedOutput()
241                 if err != nil {
242                         return fmt.Errorf("git rev-parse: %w", err)
243                 }
244                 super.SourcePath = strings.TrimSuffix(string(buf), "\n")
245         } else if !strings.HasPrefix(super.SourcePath, "/") {
246                 super.SourcePath = filepath.Join(cwd, super.SourcePath)
247         }
248         super.SourcePath, err = filepath.EvalSymlinks(super.SourcePath)
249         if err != nil {
250                 return err
251         }
252
253         if super.ListenHost == "" {
254                 if urlhost := super.cluster.Services.Controller.ExternalURL.Host; urlhost != "" {
255                         if h, _, _ := net.SplitHostPort(urlhost); h != "" {
256                                 super.ListenHost = h
257                         } else {
258                                 super.ListenHost = urlhost
259                         }
260                 } else {
261                         super.ListenHost = "0.0.0.0"
262                 }
263         }
264
265         // Choose bin and temp dirs: /var/lib/arvados/... in
266         // production, transient tempdir otherwise.
267         if super.ClusterType == "production" {
268                 // These dirs have already been created by
269                 // "arvados-server install" (or by extracting a
270                 // package).
271                 super.tempdir = "/var/lib/arvados/tmp"
272                 super.wwwtempdir = "/var/lib/arvados/wwwtmp"
273                 super.bindir = "/var/lib/arvados/bin"
274         } else {
275                 super.tempdir, err = ioutil.TempDir("", "arvados-server-boot-")
276                 if err != nil {
277                         return err
278                 }
279                 defer os.RemoveAll(super.tempdir)
280                 super.wwwtempdir = super.tempdir
281                 super.bindir = filepath.Join(super.tempdir, "bin")
282                 if err := os.Mkdir(super.bindir, 0755); err != nil {
283                         return err
284                 }
285         }
286
287         // Fill in any missing config keys, and write the resulting
288         // config in the temp dir for child services to use.
289         err = super.autofillConfig()
290         if err != nil {
291                 return err
292         }
293         conffile, err := os.OpenFile(filepath.Join(super.wwwtempdir, "config.yml"), os.O_CREATE|os.O_WRONLY, 0644)
294         if err != nil {
295                 return err
296         }
297         defer conffile.Close()
298         err = json.NewEncoder(conffile).Encode(arvados.Config{
299                 Clusters: map[string]arvados.Cluster{
300                         super.cluster.ClusterID: *super.cluster}})
301         if err != nil {
302                 return err
303         }
304         err = conffile.Close()
305         if err != nil {
306                 return err
307         }
308         super.configfile = conffile.Name()
309
310         super.environ = os.Environ()
311         super.cleanEnv([]string{"ARVADOS_"})
312         super.setEnv("ARVADOS_CONFIG", super.configfile)
313         super.setEnv("RAILS_ENV", super.ClusterType)
314         super.setEnv("TMPDIR", super.tempdir)
315         super.prependEnv("PATH", "/var/lib/arvados/bin:")
316         if super.ClusterType != "production" {
317                 super.prependEnv("PATH", super.tempdir+"/bin:")
318         }
319
320         // Now that we have the config, replace the bootstrap logger
321         // with a new one according to the logging config.
322         loglevel := super.cluster.SystemLogs.LogLevel
323         if s := os.Getenv("ARVADOS_DEBUG"); s != "" && s != "0" {
324                 loglevel = "debug"
325         }
326         super.logger = ctxlog.New(super.Stderr, super.cluster.SystemLogs.Format, loglevel).WithFields(logrus.Fields{
327                 "PID": os.Getpid(),
328         })
329
330         if super.SourceVersion == "" && super.ClusterType == "production" {
331                 // don't need SourceVersion
332         } else if super.SourceVersion == "" {
333                 // Find current source tree version.
334                 var buf bytes.Buffer
335                 err = super.RunProgram(super.ctx, ".", runOptions{output: &buf}, "git", "diff", "--shortstat")
336                 if err != nil {
337                         return err
338                 }
339                 dirty := buf.Len() > 0
340                 buf.Reset()
341                 err = super.RunProgram(super.ctx, ".", runOptions{output: &buf}, "git", "log", "-n1", "--format=%H")
342                 if err != nil {
343                         return err
344                 }
345                 super.SourceVersion = strings.TrimSpace(buf.String())
346                 if dirty {
347                         super.SourceVersion += "+uncommitted"
348                 }
349         } else {
350                 return errors.New("specifying a version to run is not yet supported")
351         }
352
353         _, err = super.installGoProgram(super.ctx, "cmd/arvados-server")
354         if err != nil {
355                 return err
356         }
357         err = super.setupRubyEnv()
358         if err != nil {
359                 return err
360         }
361
362         tasks := []supervisedTask{
363                 createCertificates{},
364                 runPostgreSQL{},
365                 runNginx{},
366                 runServiceCommand{name: "controller", svc: super.cluster.Services.Controller, depends: []supervisedTask{seedDatabase{}}},
367                 runServiceCommand{name: "git-httpd", svc: super.cluster.Services.GitHTTP},
368                 runServiceCommand{name: "health", svc: super.cluster.Services.Health},
369                 runServiceCommand{name: "keepproxy", svc: super.cluster.Services.Keepproxy, depends: []supervisedTask{runPassenger{src: "services/api"}}},
370                 runServiceCommand{name: "keepstore", svc: super.cluster.Services.Keepstore},
371                 runServiceCommand{name: "keep-web", svc: super.cluster.Services.WebDAV},
372                 runServiceCommand{name: "ws", svc: super.cluster.Services.Websocket, depends: []supervisedTask{seedDatabase{}}},
373                 installPassenger{src: "services/api", varlibdir: "railsapi"},
374                 runPassenger{src: "services/api", varlibdir: "railsapi", svc: super.cluster.Services.RailsAPI, depends: []supervisedTask{createCertificates{}, seedDatabase{}, installPassenger{src: "services/api", varlibdir: "railsapi"}}},
375                 seedDatabase{},
376         }
377         if !super.NoWorkbench1 {
378                 tasks = append(tasks,
379                         installPassenger{src: "apps/workbench", varlibdir: "workbench1", depends: []supervisedTask{seedDatabase{}}}, // dependency ensures workbench doesn't delay api install/startup
380                         runPassenger{src: "apps/workbench", varlibdir: "workbench1", svc: super.cluster.Services.Workbench1, depends: []supervisedTask{installPassenger{src: "apps/workbench", varlibdir: "workbench1"}}},
381                 )
382         }
383         if !super.NoWorkbench2 {
384                 tasks = append(tasks,
385                         runWorkbench2{svc: super.cluster.Services.Workbench2},
386                 )
387         }
388         if super.ClusterType != "test" {
389                 tasks = append(tasks,
390                         runServiceCommand{name: "keep-balance", svc: super.cluster.Services.Keepbalance},
391                 )
392         }
393         if super.cluster.Containers.CloudVMs.Enable {
394                 tasks = append(tasks,
395                         runServiceCommand{name: "dispatch-cloud", svc: super.cluster.Services.DispatchCloud},
396                 )
397         }
398         super.tasksReady = map[string]chan bool{}
399         for _, task := range tasks {
400                 super.tasksReady[task.String()] = make(chan bool)
401         }
402         for _, task := range tasks {
403                 task := task
404                 fail := func(err error) {
405                         if super.ctx.Err() != nil {
406                                 return
407                         }
408                         super.cancel()
409                         super.logger.WithField("task", task.String()).WithError(err).Error("task failed")
410                 }
411                 go func() {
412                         super.logger.WithField("task", task.String()).Info("starting")
413                         err := task.Run(super.ctx, fail, super)
414                         if err != nil {
415                                 fail(err)
416                                 return
417                         }
418                         close(super.tasksReady[task.String()])
419                 }()
420         }
421         err = super.wait(super.ctx, tasks...)
422         if err != nil {
423                 return err
424         }
425         super.logger.Info("all startup tasks are complete; starting health checks")
426         super.healthChecker = &health.Aggregator{Cluster: super.cluster}
427         <-super.ctx.Done()
428         super.logger.Info("shutting down")
429         super.waitShutdown.Wait()
430         return super.ctx.Err()
431 }
432
433 func (super *Supervisor) wait(ctx context.Context, tasks ...supervisedTask) error {
434         ticker := time.NewTicker(15 * time.Second)
435         defer ticker.Stop()
436         for _, task := range tasks {
437                 ch, ok := super.tasksReady[task.String()]
438                 if !ok {
439                         return fmt.Errorf("no such task: %s", task)
440                 }
441                 super.logger.WithField("task", task.String()).Info("waiting")
442                 for {
443                         select {
444                         case <-ch:
445                                 super.logger.WithField("task", task.String()).Info("ready")
446                         case <-ctx.Done():
447                                 super.logger.WithField("task", task.String()).Info("task was never ready")
448                                 return ctx.Err()
449                         case <-ticker.C:
450                                 super.logger.WithField("task", task.String()).Info("still waiting...")
451                                 continue
452                         }
453                         break
454                 }
455         }
456         return nil
457 }
458
459 // Stop shuts down all child processes and goroutines, and returns
460 // when all of them have exited.
461 func (super *Supervisor) Stop() {
462         super.cancel()
463         <-super.done
464 }
465
466 // WaitReady waits for the cluster(s) to be ready to handle requests,
467 // then returns true. If startup fails, it returns false.
468 func (super *Supervisor) WaitReady() bool {
469         if super.children != nil {
470                 for id, super2 := range super.children {
471                         super.logger.Infof("waiting for %s to be ready", id)
472                         if !super2.WaitReady() {
473                                 super.logger.Infof("%s startup failed", id)
474                                 return false
475                         }
476                         super.logger.Infof("%s is ready", id)
477                 }
478                 super.logger.Info("all clusters are ready")
479                 return true
480         }
481         ticker := time.NewTicker(time.Second)
482         defer ticker.Stop()
483         for waiting := "all"; waiting != ""; {
484                 select {
485                 case <-ticker.C:
486                 case <-super.ctx.Done():
487                         return false
488                 }
489                 if super.healthChecker == nil {
490                         // not set up yet
491                         continue
492                 }
493                 resp := super.healthChecker.ClusterHealth()
494                 // The overall health check (resp.Health=="OK") might
495                 // never pass due to missing components (like
496                 // arvados-dispatch-cloud in a test cluster), so
497                 // instead we wait for all configured components to
498                 // pass.
499                 waiting = ""
500                 for target, check := range resp.Checks {
501                         if check.Health != "OK" {
502                                 waiting += " " + target
503                         }
504                 }
505                 if waiting != "" {
506                         super.logger.WithField("targets", waiting[1:]).Info("waiting")
507                 }
508         }
509         return true
510 }
511
512 func (super *Supervisor) prependEnv(key, prepend string) {
513         for i, s := range super.environ {
514                 if strings.HasPrefix(s, key+"=") {
515                         super.environ[i] = key + "=" + prepend + s[len(key)+1:]
516                         return
517                 }
518         }
519         super.environ = append(super.environ, key+"="+prepend)
520 }
521
522 func (super *Supervisor) cleanEnv(prefixes []string) {
523         var cleaned []string
524         for _, s := range super.environ {
525                 drop := false
526                 for _, p := range prefixes {
527                         if strings.HasPrefix(s, p) {
528                                 drop = true
529                                 break
530                         }
531                 }
532                 if !drop {
533                         cleaned = append(cleaned, s)
534                 }
535         }
536         super.environ = cleaned
537 }
538
539 func (super *Supervisor) setEnv(key, val string) {
540         for i, s := range super.environ {
541                 if strings.HasPrefix(s, key+"=") {
542                         super.environ[i] = key + "=" + val
543                         return
544                 }
545         }
546         super.environ = append(super.environ, key+"="+val)
547 }
548
549 // Remove all but the first occurrence of each env var.
550 func dedupEnv(in []string) []string {
551         saw := map[string]bool{}
552         var out []string
553         for _, kv := range in {
554                 if split := strings.Index(kv, "="); split < 1 {
555                         panic("invalid environment var: " + kv)
556                 } else if saw[kv[:split]] {
557                         continue
558                 } else {
559                         saw[kv[:split]] = true
560                         out = append(out, kv)
561                 }
562         }
563         return out
564 }
565
566 func (super *Supervisor) installGoProgram(ctx context.Context, srcpath string) (string, error) {
567         _, basename := filepath.Split(srcpath)
568         binfile := filepath.Join(super.bindir, basename)
569         if super.ClusterType == "production" {
570                 return binfile, nil
571         }
572         err := super.RunProgram(ctx, filepath.Join(super.SourcePath, srcpath), runOptions{env: []string{"GOBIN=" + super.bindir}}, "go", "install", "-ldflags", "-X git.arvados.org/arvados.git/lib/cmd.version="+super.SourceVersion+" -X main.version="+super.SourceVersion)
573         return binfile, err
574 }
575
576 func (super *Supervisor) usingRVM() bool {
577         return os.Getenv("rvm_path") != ""
578 }
579
580 func (super *Supervisor) setupRubyEnv() error {
581         if !super.usingRVM() {
582                 // (If rvm is in use, assume the caller has everything
583                 // set up as desired)
584                 super.cleanEnv([]string{
585                         "GEM_HOME=",
586                         "GEM_PATH=",
587                 })
588                 gem := "gem"
589                 if _, err := os.Stat("/var/lib/arvados/bin/gem"); err == nil || super.ClusterType == "production" {
590                         gem = "/var/lib/arvados/bin/gem"
591                 }
592                 cmd := exec.Command(gem, "env", "gempath")
593                 if super.ClusterType == "production" {
594                         cmd.Args = append([]string{"sudo", "-u", "www-data", "-E", "HOME=/var/www"}, cmd.Args...)
595                         path, err := exec.LookPath("sudo")
596                         if err != nil {
597                                 return fmt.Errorf("LookPath(\"sudo\"): %w", err)
598                         }
599                         cmd.Path = path
600                 }
601                 cmd.Stderr = super.Stderr
602                 cmd.Env = super.environ
603                 buf, err := cmd.Output() // /var/lib/arvados/.gem/ruby/2.5.0/bin:...
604                 if err != nil || len(buf) == 0 {
605                         return fmt.Errorf("gem env gempath: %w", err)
606                 }
607                 gempath := string(bytes.Split(buf, []byte{':'})[0])
608                 super.prependEnv("PATH", gempath+"/bin:")
609                 super.setEnv("GEM_HOME", gempath)
610                 super.setEnv("GEM_PATH", gempath)
611         }
612         // Passenger install doesn't work unless $HOME is ~user
613         u, err := user.Current()
614         if err != nil {
615                 return err
616         }
617         super.setEnv("HOME", u.HomeDir)
618         return nil
619 }
620
621 func (super *Supervisor) lookPath(prog string) string {
622         for _, val := range super.environ {
623                 if strings.HasPrefix(val, "PATH=") {
624                         for _, dir := range filepath.SplitList(val[5:]) {
625                                 path := filepath.Join(dir, prog)
626                                 if fi, err := os.Stat(path); err == nil && fi.Mode()&0111 != 0 {
627                                         return path
628                                 }
629                         }
630                 }
631         }
632         return prog
633 }
634
635 type runOptions struct {
636         output io.Writer // attach stdout
637         env    []string  // add/replace environment variables
638         user   string    // run as specified user
639         stdin  io.Reader
640 }
641
642 // RunProgram runs prog with args, using dir as working directory. If ctx is
643 // cancelled while the child is running, RunProgram terminates the child, waits
644 // for it to exit, then returns.
645 //
646 // Child's environment will have our env vars, plus any given in env.
647 //
648 // Child's stdout will be written to output if non-nil, otherwise the
649 // boot command's stderr.
650 func (super *Supervisor) RunProgram(ctx context.Context, dir string, opts runOptions, prog string, args ...string) error {
651         cmdline := fmt.Sprintf("%s", append([]string{prog}, args...))
652         super.logger.WithField("command", cmdline).WithField("dir", dir).Info("executing")
653
654         logprefix := prog
655         {
656                 innerargs := args
657                 if logprefix == "sudo" {
658                         for i := 0; i < len(args); i++ {
659                                 if args[i] == "-u" {
660                                         i++
661                                 } else if args[i] == "-E" || strings.Contains(args[i], "=") {
662                                 } else {
663                                         logprefix = args[i]
664                                         innerargs = args[i+1:]
665                                         break
666                                 }
667                         }
668                 }
669                 logprefix = strings.TrimPrefix(logprefix, "/var/lib/arvados/bin/")
670                 logprefix = strings.TrimPrefix(logprefix, super.tempdir+"/bin/")
671                 if logprefix == "bundle" && len(innerargs) > 2 && innerargs[0] == "exec" {
672                         _, dirbase := filepath.Split(dir)
673                         logprefix = innerargs[1] + "@" + dirbase
674                 } else if logprefix == "arvados-server" && len(args) > 1 {
675                         logprefix = args[0]
676                 }
677                 if !strings.HasPrefix(dir, "/") {
678                         logprefix = dir + ": " + logprefix
679                 }
680         }
681
682         cmd := exec.Command(super.lookPath(prog), args...)
683         cmd.Stdin = opts.stdin
684         stdout, err := cmd.StdoutPipe()
685         if err != nil {
686                 return err
687         }
688         stderr, err := cmd.StderrPipe()
689         if err != nil {
690                 return err
691         }
692         logwriter := &service.LogPrefixer{Writer: super.Stderr, Prefix: []byte("[" + logprefix + "] ")}
693         var copiers sync.WaitGroup
694         copiers.Add(1)
695         go func() {
696                 io.Copy(logwriter, stderr)
697                 copiers.Done()
698         }()
699         copiers.Add(1)
700         go func() {
701                 if opts.output == nil {
702                         io.Copy(logwriter, stdout)
703                 } else {
704                         io.Copy(opts.output, stdout)
705                 }
706                 copiers.Done()
707         }()
708
709         if strings.HasPrefix(dir, "/") {
710                 cmd.Dir = dir
711         } else {
712                 cmd.Dir = filepath.Join(super.SourcePath, dir)
713         }
714         env := append([]string(nil), opts.env...)
715         env = append(env, super.environ...)
716         cmd.Env = dedupEnv(env)
717
718         if opts.user != "" {
719                 // Note: We use this approach instead of "sudo"
720                 // because in certain circumstances (we are pid 1 in a
721                 // docker container, and our passenger child process
722                 // changes to pgid 1) the intermediate sudo process
723                 // notices we have the same pgid as our child and
724                 // refuses to propagate signals from us to our child,
725                 // so we can't signal/shutdown our passenger/rails
726                 // apps. "chpst" or "setuidgid" would work, but these
727                 // few lines avoid depending on runit/daemontools.
728                 u, err := user.Lookup(opts.user)
729                 if err != nil {
730                         return fmt.Errorf("user.Lookup(%q): %w", opts.user, err)
731                 }
732                 uid, _ := strconv.Atoi(u.Uid)
733                 gid, _ := strconv.Atoi(u.Gid)
734                 cmd.SysProcAttr = &syscall.SysProcAttr{
735                         Credential: &syscall.Credential{
736                                 Uid: uint32(uid),
737                                 Gid: uint32(gid),
738                         },
739                 }
740         }
741
742         exited := false
743         defer func() { exited = true }()
744         go func() {
745                 <-ctx.Done()
746                 log := ctxlog.FromContext(ctx).WithFields(logrus.Fields{"dir": dir, "cmdline": cmdline})
747                 for !exited {
748                         if cmd.Process == nil {
749                                 log.Debug("waiting for child process to start")
750                                 time.Sleep(time.Second / 2)
751                         } else {
752                                 log.WithField("PID", cmd.Process.Pid).Debug("sending SIGTERM")
753                                 cmd.Process.Signal(syscall.SIGTERM)
754                                 time.Sleep(5 * time.Second)
755                                 if !exited {
756                                         stdout.Close()
757                                         stderr.Close()
758                                         log.WithField("PID", cmd.Process.Pid).Warn("still waiting for child process to exit 5s after SIGTERM")
759                                 }
760                         }
761                 }
762         }()
763
764         err = cmd.Start()
765         if err != nil {
766                 return err
767         }
768         copiers.Wait()
769         err = cmd.Wait()
770         if ctx.Err() != nil {
771                 // Return "context canceled", instead of the "killed"
772                 // error that was probably caused by the context being
773                 // canceled.
774                 return ctx.Err()
775         } else if err != nil {
776                 return fmt.Errorf("%s: error: %v", cmdline, err)
777         }
778         return nil
779 }
780
781 func (super *Supervisor) autofillConfig() error {
782         usedPort := map[string]bool{}
783         nextPort := func(host string) (string, error) {
784                 for {
785                         port, err := availablePort(host)
786                         if err != nil {
787                                 port, err = availablePort(super.ListenHost)
788                         }
789                         if err != nil {
790                                 return "", err
791                         }
792                         if usedPort[port] {
793                                 continue
794                         }
795                         usedPort[port] = true
796                         return port, nil
797                 }
798         }
799         if super.cluster.Services.Controller.ExternalURL.Host == "" {
800                 h, p, err := net.SplitHostPort(super.ControllerAddr)
801                 if err != nil && super.ControllerAddr != "" {
802                         return fmt.Errorf("SplitHostPort(ControllerAddr %q): %w", super.ControllerAddr, err)
803                 }
804                 if h == "" {
805                         h = super.ListenHost
806                 }
807                 if p == "0" || p == "" {
808                         p, err = nextPort(h)
809                         if err != nil {
810                                 return err
811                         }
812                 }
813                 super.cluster.Services.Controller.ExternalURL = arvados.URL{Scheme: "https", Host: net.JoinHostPort(h, p), Path: "/"}
814         }
815         u := url.URL(super.cluster.Services.Controller.ExternalURL)
816         defaultExtHost := u.Hostname()
817         for _, svc := range []*arvados.Service{
818                 &super.cluster.Services.Controller,
819                 &super.cluster.Services.DispatchCloud,
820                 &super.cluster.Services.GitHTTP,
821                 &super.cluster.Services.Health,
822                 &super.cluster.Services.Keepproxy,
823                 &super.cluster.Services.Keepstore,
824                 &super.cluster.Services.RailsAPI,
825                 &super.cluster.Services.WebDAV,
826                 &super.cluster.Services.WebDAVDownload,
827                 &super.cluster.Services.Websocket,
828                 &super.cluster.Services.Workbench1,
829                 &super.cluster.Services.Workbench2,
830         } {
831                 if svc.ExternalURL.Host == "" {
832                         port, err := nextPort(defaultExtHost)
833                         if err != nil {
834                                 return err
835                         }
836                         host := net.JoinHostPort(defaultExtHost, port)
837                         if svc == &super.cluster.Services.Controller ||
838                                 svc == &super.cluster.Services.GitHTTP ||
839                                 svc == &super.cluster.Services.Health ||
840                                 svc == &super.cluster.Services.Keepproxy ||
841                                 svc == &super.cluster.Services.WebDAV ||
842                                 svc == &super.cluster.Services.WebDAVDownload ||
843                                 svc == &super.cluster.Services.Workbench1 ||
844                                 svc == &super.cluster.Services.Workbench2 {
845                                 svc.ExternalURL = arvados.URL{Scheme: "https", Host: host, Path: "/"}
846                         } else if svc == &super.cluster.Services.Websocket {
847                                 svc.ExternalURL = arvados.URL{Scheme: "wss", Host: host, Path: "/websocket"}
848                         }
849                 }
850                 if super.NoWorkbench1 && svc == &super.cluster.Services.Workbench1 ||
851                         super.NoWorkbench2 && svc == &super.cluster.Services.Workbench2 {
852                         // When workbench1 is disabled, it gets an
853                         // ExternalURL (so we have a valid listening
854                         // port to write in our Nginx config) but no
855                         // InternalURLs (so health checker doesn't
856                         // complain).
857                         continue
858                 }
859                 if len(svc.InternalURLs) == 0 {
860                         port, err := nextPort(super.ListenHost)
861                         if err != nil {
862                                 return err
863                         }
864                         host := net.JoinHostPort(super.ListenHost, port)
865                         svc.InternalURLs = map[arvados.URL]arvados.ServiceInstance{
866                                 {Scheme: "http", Host: host, Path: "/"}: {},
867                         }
868                 }
869         }
870         if super.ClusterType != "production" {
871                 if super.cluster.SystemRootToken == "" {
872                         super.cluster.SystemRootToken = randomHexString(64)
873                 }
874                 if super.cluster.ManagementToken == "" {
875                         super.cluster.ManagementToken = randomHexString(64)
876                 }
877                 if super.cluster.Collections.BlobSigningKey == "" {
878                         super.cluster.Collections.BlobSigningKey = randomHexString(64)
879                 }
880                 if super.cluster.Users.AnonymousUserToken == "" {
881                         super.cluster.Users.AnonymousUserToken = randomHexString(64)
882                 }
883                 if super.cluster.Containers.DispatchPrivateKey == "" {
884                         buf, err := ioutil.ReadFile(filepath.Join(super.SourcePath, "lib", "dispatchcloud", "test", "sshkey_dispatch"))
885                         if err != nil {
886                                 return err
887                         }
888                         super.cluster.Containers.DispatchPrivateKey = string(buf)
889                 }
890                 super.cluster.TLS.Insecure = true
891         }
892         if super.ClusterType == "test" {
893                 // Add a second keepstore process.
894                 port, err := nextPort(super.ListenHost)
895                 if err != nil {
896                         return err
897                 }
898                 host := net.JoinHostPort(super.ListenHost, port)
899                 super.cluster.Services.Keepstore.InternalURLs[arvados.URL{Scheme: "http", Host: host, Path: "/"}] = arvados.ServiceInstance{}
900
901                 // Create a directory-backed volume for each keepstore
902                 // process.
903                 super.cluster.Volumes = map[string]arvados.Volume{}
904                 for url := range super.cluster.Services.Keepstore.InternalURLs {
905                         volnum := len(super.cluster.Volumes)
906                         datadir := fmt.Sprintf("%s/keep%d.data", super.tempdir, volnum)
907                         if _, err = os.Stat(datadir + "/."); err == nil {
908                         } else if !os.IsNotExist(err) {
909                                 return err
910                         } else if err = os.Mkdir(datadir, 0755); err != nil {
911                                 return err
912                         }
913                         super.cluster.Volumes[fmt.Sprintf(super.cluster.ClusterID+"-nyw5e-%015d", volnum)] = arvados.Volume{
914                                 Driver:           "Directory",
915                                 DriverParameters: json.RawMessage(fmt.Sprintf(`{"Root":%q}`, datadir)),
916                                 AccessViaHosts: map[arvados.URL]arvados.VolumeAccess{
917                                         url: {},
918                                 },
919                                 StorageClasses: map[string]bool{
920                                         "default": true,
921                                         "foo":     true,
922                                         "bar":     true,
923                                 },
924                         }
925                 }
926                 super.cluster.StorageClasses = map[string]arvados.StorageClassConfig{
927                         "default": {Default: true},
928                         "foo":     {},
929                         "bar":     {},
930                 }
931         }
932         if super.OwnTemporaryDatabase {
933                 port, err := nextPort("localhost")
934                 if err != nil {
935                         return err
936                 }
937                 super.cluster.PostgreSQL.Connection = arvados.PostgreSQLConnection{
938                         "client_encoding": "utf8",
939                         "host":            "localhost",
940                         "port":            port,
941                         "dbname":          "arvados_test",
942                         "user":            "arvados",
943                         "password":        "insecure_arvados_test",
944                 }
945         }
946         return nil
947 }
948
949 func addrIsLocal(addr string) (bool, error) {
950         if h, _, err := net.SplitHostPort(addr); err != nil {
951                 return false, err
952         } else {
953                 addr = net.JoinHostPort(h, "0")
954         }
955         listener, err := net.Listen("tcp", addr)
956         if err == nil {
957                 listener.Close()
958                 return true, nil
959         } else if strings.Contains(err.Error(), "cannot assign requested address") {
960                 return false, nil
961         } else {
962                 return false, err
963         }
964 }
965
966 func randomHexString(chars int) string {
967         b := make([]byte, chars/2)
968         _, err := rand.Read(b)
969         if err != nil {
970                 panic(err)
971         }
972         return fmt.Sprintf("%x", b)
973 }
974
975 func internalPort(svc arvados.Service) (host, port string, err error) {
976         if len(svc.InternalURLs) > 1 {
977                 return "", "", errors.New("internalPort() doesn't work with multiple InternalURLs")
978         }
979         for u := range svc.InternalURLs {
980                 u := url.URL(u)
981                 host, port = u.Hostname(), u.Port()
982                 switch {
983                 case port != "":
984                 case u.Scheme == "https", u.Scheme == "ws":
985                         port = "443"
986                 default:
987                         port = "80"
988                 }
989                 return
990         }
991         return "", "", fmt.Errorf("service has no InternalURLs")
992 }
993
994 func externalPort(svc arvados.Service) (string, error) {
995         u := url.URL(svc.ExternalURL)
996         if p := u.Port(); p != "" {
997                 return p, nil
998         } else if u.Scheme == "https" || u.Scheme == "wss" {
999                 return "443", nil
1000         } else {
1001                 return "80", nil
1002         }
1003 }
1004
1005 func availablePort(host string) (string, error) {
1006         ln, err := net.Listen("tcp", net.JoinHostPort(host, "0"))
1007         if err != nil {
1008                 return "", err
1009         }
1010         defer ln.Close()
1011         _, port, err := net.SplitHostPort(ln.Addr().String())
1012         if err != nil {
1013                 return "", err
1014         }
1015         return port, nil
1016 }
1017
1018 // Try to connect to addr until it works, then close ch. Give up if
1019 // ctx cancels.
1020 func waitForConnect(ctx context.Context, addr string) error {
1021         ctxlog.FromContext(ctx).WithField("addr", addr).Info("waitForConnect")
1022         dialer := net.Dialer{Timeout: time.Second}
1023         for ctx.Err() == nil {
1024                 conn, err := dialer.DialContext(ctx, "tcp", addr)
1025                 if err != nil {
1026                         time.Sleep(time.Second / 10)
1027                         continue
1028                 }
1029                 conn.Close()
1030                 return nil
1031         }
1032         return ctx.Err()
1033 }
1034
1035 func copyConfig(cfg *arvados.Config) *arvados.Config {
1036         pr, pw := io.Pipe()
1037         go func() {
1038                 err := json.NewEncoder(pw).Encode(cfg)
1039                 if err != nil {
1040                         panic(err)
1041                 }
1042                 pw.Close()
1043         }()
1044         cfg2 := new(arvados.Config)
1045         err := json.NewDecoder(pr).Decode(cfg2)
1046         if err != nil {
1047                 panic(err)
1048         }
1049         return cfg2
1050 }
1051
1052 func watchConfig(ctx context.Context, logger logrus.FieldLogger, cfgPath string, prevcfg *arvados.Config, fn func()) {
1053         watcher, err := fsnotify.NewWatcher()
1054         if err != nil {
1055                 logger.WithError(err).Error("fsnotify setup failed")
1056                 return
1057         }
1058         defer watcher.Close()
1059
1060         err = watcher.Add(cfgPath)
1061         if err != nil {
1062                 logger.WithError(err).Error("fsnotify watcher failed")
1063                 return
1064         }
1065
1066         for {
1067                 select {
1068                 case <-ctx.Done():
1069                         return
1070                 case err, ok := <-watcher.Errors:
1071                         if !ok {
1072                                 return
1073                         }
1074                         logger.WithError(err).Warn("fsnotify watcher reported error")
1075                 case _, ok := <-watcher.Events:
1076                         if !ok {
1077                                 return
1078                         }
1079                         for len(watcher.Events) > 0 {
1080                                 <-watcher.Events
1081                         }
1082                         loader := config.NewLoader(&bytes.Buffer{}, &logrus.Logger{Out: ioutil.Discard})
1083                         loader.Path = cfgPath
1084                         loader.SkipAPICalls = true
1085                         cfg, err := loader.Load()
1086                         if err != nil {
1087                                 logger.WithError(err).Warn("error reloading config file after change detected; ignoring new config for now")
1088                         } else if reflect.DeepEqual(cfg, prevcfg) {
1089                                 logger.Debug("config file changed but is still DeepEqual to the existing config")
1090                         } else {
1091                                 logger.Debug("config changed, notifying supervisor")
1092                                 fn()
1093                                 prevcfg = cfg
1094                         }
1095                 }
1096         }
1097 }