15954: Run dispatchcloud and keepproxy.
[arvados.git] / lib / boot / cmd.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         "flag"
13         "fmt"
14         "io"
15         "io/ioutil"
16         "net"
17         "os"
18         "os/exec"
19         "os/signal"
20         "path/filepath"
21         "strings"
22         "sync"
23         "syscall"
24         "time"
25
26         "git.arvados.org/arvados.git/lib/cmd"
27         "git.arvados.org/arvados.git/lib/config"
28         "git.arvados.org/arvados.git/lib/controller"
29         "git.arvados.org/arvados.git/lib/dispatchcloud"
30         "git.arvados.org/arvados.git/sdk/go/arvados"
31         "git.arvados.org/arvados.git/sdk/go/ctxlog"
32         "github.com/sirupsen/logrus"
33 )
34
35 var Command cmd.Handler = &bootCommand{}
36
37 type bootCommand struct {
38         sourcePath  string // e.g., /home/username/src/arvados
39         libPath     string // e.g., /var/lib/arvados
40         clusterType string // e.g., production
41
42         stdout io.Writer
43         stderr io.Writer
44
45         setupRubyOnce sync.Once
46         setupRubyErr  error
47         goMutex       sync.Mutex
48 }
49
50 func (boot *bootCommand) RunCommand(prog string, args []string, stdin io.Reader, stdout, stderr io.Writer) int {
51         boot.stdout = stdout
52         boot.stderr = stderr
53         log := ctxlog.New(stderr, "json", "info")
54
55         var err error
56         defer func() {
57                 if err != nil {
58                         log.WithError(err).Info("exiting")
59                 }
60         }()
61
62         flags := flag.NewFlagSet(prog, flag.ContinueOnError)
63         flags.SetOutput(stderr)
64         loader := config.NewLoader(stdin, log)
65         loader.SetupFlags(flags)
66         versionFlag := flags.Bool("version", false, "Write version information to stdout and exit 0")
67         flags.StringVar(&boot.sourcePath, "source", ".", "arvados source tree `directory`")
68         flags.StringVar(&boot.libPath, "lib", "/var/lib/arvados", "`directory` to install dependencies and library files")
69         flags.StringVar(&boot.clusterType, "type", "production", "cluster `type`: development, test, or production")
70         err = flags.Parse(args)
71         if err == flag.ErrHelp {
72                 err = nil
73                 return 0
74         } else if err != nil {
75                 return 2
76         } else if *versionFlag {
77                 return cmd.Version.RunCommand(prog, args, stdin, stdout, stderr)
78         } else if boot.clusterType != "development" && boot.clusterType != "test" && boot.clusterType != "production" {
79                 err = fmt.Errorf("cluster type must be 'development', 'test', or 'production'")
80                 return 2
81         }
82
83         cwd, err := os.Getwd()
84         if err != nil {
85                 return 1
86         }
87         if !strings.HasPrefix(boot.sourcePath, "/") {
88                 boot.sourcePath = filepath.Join(cwd, boot.sourcePath)
89         }
90         boot.sourcePath, err = filepath.EvalSymlinks(boot.sourcePath)
91         if err != nil {
92                 return 1
93         }
94
95         loader.SkipAPICalls = true
96         cfg, err := loader.Load()
97         if err != nil {
98                 return 1
99         }
100
101         tempdir, err := ioutil.TempDir("", "arvados-server-boot-")
102         if err != nil {
103                 return 1
104         }
105         defer os.RemoveAll(tempdir)
106
107         // Fill in any missing config keys, and write the resulting
108         // config in the temp dir for child services to use.
109         err = boot.autofillConfig(cfg, log)
110         if err != nil {
111                 return 1
112         }
113         conffile, err := os.OpenFile(filepath.Join(tempdir, "config.yml"), os.O_CREATE|os.O_WRONLY, 0777)
114         if err != nil {
115                 return 1
116         }
117         defer conffile.Close()
118         err = json.NewEncoder(conffile).Encode(cfg)
119         if err != nil {
120                 return 1
121         }
122         err = conffile.Close()
123         if err != nil {
124                 return 1
125         }
126         os.Setenv("ARVADOS_CONFIG", conffile.Name())
127
128         os.Setenv("RAILS_ENV", boot.clusterType)
129
130         // Now that we have the config, replace the bootstrap logger
131         // with a new one according to the logging config.
132         cluster, err := cfg.GetCluster("")
133         if err != nil {
134                 return 1
135         }
136         log = ctxlog.New(stderr, cluster.SystemLogs.Format, cluster.SystemLogs.LogLevel)
137         logger := log.WithFields(logrus.Fields{
138                 "PID": os.Getpid(),
139         })
140         ctx := ctxlog.Context(context.Background(), logger)
141         ctx, cancel := context.WithCancel(ctx)
142         defer cancel()
143
144         ch := make(chan os.Signal)
145         signal.Notify(ch, syscall.SIGINT)
146         go func() {
147                 for sig := range ch {
148                         logger.WithField("signal", sig).Info("caught signal")
149                         cancel()
150                 }
151         }()
152
153         for _, dir := range []string{boot.libPath, filepath.Join(boot.libPath, "bin")} {
154                 if _, err = os.Stat(filepath.Join(dir, ".")); os.IsNotExist(err) {
155                         err = os.Mkdir(dir, 0755)
156                         if err != nil {
157                                 return 1
158                         }
159                 } else if err != nil {
160                         return 1
161                 }
162         }
163         os.Setenv("PATH", filepath.Join(boot.libPath, "bin")+":"+os.Getenv("PATH"))
164
165         err = boot.installGoProgram(ctx, "cmd/arvados-server")
166         if err != nil {
167                 return 1
168         }
169
170         var wg sync.WaitGroup
171         for _, cmpt := range []component{
172                 {name: "controller", cmdArgs: []string{"-config", conffile.Name()}, cmdHandler: controller.Command},
173                 {name: "dispatchcloud", cmdArgs: []string{"-config", conffile.Name()}, cmdHandler: dispatchcloud.Command, notIfTest: true},
174                 {name: "keepproxy", goProg: "services/keepproxy"},
175                 {name: "railsAPI", svc: cluster.Services.RailsAPI, railsApp: "services/api"},
176         } {
177                 cmpt := cmpt
178                 wg.Add(1)
179                 go func() {
180                         defer wg.Done()
181                         defer cancel()
182                         logger.WithField("component", cmpt.name).Info("starting")
183                         err := cmpt.Run(ctx, boot, stdout, stderr)
184                         if err != nil {
185                                 logger.WithError(err).WithField("component", cmpt.name).Info("exited")
186                         }
187                 }()
188         }
189         <-ctx.Done()
190         wg.Wait()
191         return 0
192 }
193
194 func (boot *bootCommand) installGoProgram(ctx context.Context, srcpath string) error {
195         boot.goMutex.Lock()
196         defer boot.goMutex.Unlock()
197         env := append([]string{"GOPATH=" + boot.libPath}, os.Environ()...)
198         return boot.RunProgram(ctx, filepath.Join(boot.sourcePath, srcpath), nil, env, "go", "install")
199 }
200
201 func (boot *bootCommand) setupRubyEnv() error {
202         boot.setupRubyOnce.Do(func() {
203                 buf, err := exec.Command("gem", "env", "gempath").Output() // /var/lib/arvados/.gem/ruby/2.5.0/bin:...
204                 if err != nil || len(buf) == 0 {
205                         boot.setupRubyErr = fmt.Errorf("gem env gempath: %v", err)
206                 }
207                 gempath := string(bytes.Split(buf, []byte{':'})[0])
208                 os.Setenv("PATH", gempath+"/bin:"+os.Getenv("PATH"))
209                 os.Setenv("GEM_HOME", gempath)
210                 os.Setenv("GEM_PATH", gempath)
211         })
212         return boot.setupRubyErr
213 }
214
215 func (boot *bootCommand) RunProgram(ctx context.Context, dir string, output io.Writer, env []string, prog string, args ...string) error {
216         cmdline := fmt.Sprintf("%s", append([]string{prog}, args...))
217         fmt.Fprintf(boot.stderr, "%s executing in %s\n", cmdline, dir)
218         cmd := exec.Command(prog, args...)
219         if output == nil {
220                 cmd.Stdout = boot.stderr
221         } else {
222                 cmd.Stdout = output
223         }
224         cmd.Stderr = boot.stderr
225         if strings.HasPrefix(dir, "/") {
226                 cmd.Dir = dir
227         } else {
228                 cmd.Dir = filepath.Join(boot.sourcePath, dir)
229         }
230         if env != nil {
231                 cmd.Env = env
232         }
233         go func() {
234                 <-ctx.Done()
235                 cmd.Process.Signal(syscall.SIGINT)
236                 for range time.Tick(5 * time.Second) {
237                         if cmd.ProcessState != nil {
238                                 break
239                         }
240                         ctxlog.FromContext(ctx).WithField("process", cmd.Process).Infof("waiting for child process to exit after SIGINT")
241                         cmd.Process.Signal(syscall.SIGINT)
242                 }
243         }()
244         err := cmd.Run()
245         if err != nil {
246                 return fmt.Errorf("%s: error: %v", cmdline, err)
247         }
248         return nil
249 }
250
251 type component struct {
252         name       string
253         svc        arvados.Service
254         cmdHandler cmd.Handler
255         cmdArgs    []string
256         railsApp   string // source dir in arvados tree, e.g., "services/api"
257         goProg     string // source dir in arvados tree, e.g., "services/keepstore"
258         notIfTest  bool   // don't run this component on a test cluster
259 }
260
261 func (cmpt *component) Run(ctx context.Context, boot *bootCommand, stdout, stderr io.Writer) error {
262         if cmpt.notIfTest && boot.clusterType == "test" {
263                 fmt.Fprintf(stderr, "skipping component %q\n", cmpt.name)
264                 <-ctx.Done()
265                 return nil
266         }
267         fmt.Fprintf(stderr, "starting component %q\n", cmpt.name)
268         if cmpt.cmdHandler != nil {
269                 errs := make(chan error, 1)
270                 go func() {
271                         defer close(errs)
272                         exitcode := cmpt.cmdHandler.RunCommand(cmpt.name, cmpt.cmdArgs, bytes.NewBuffer(nil), stdout, stderr)
273                         if exitcode != 0 {
274                                 errs <- fmt.Errorf("exit code %d", exitcode)
275                         }
276                 }()
277                 select {
278                 case err := <-errs:
279                         return err
280                 case <-ctx.Done():
281                         // cmpt.cmdHandler.RunCommand() doesn't have
282                         // access to our context, so it won't shut
283                         // down by itself. We just abandon it.
284                         return nil
285                 }
286         }
287         if cmpt.goProg != "" {
288                 return boot.RunProgram(ctx, cmpt.goProg, nil, nil, "go", "run", ".")
289         }
290         if cmpt.railsApp != "" {
291                 port := "-"
292                 for u := range cmpt.svc.InternalURLs {
293                         if _, p, err := net.SplitHostPort(u.Host); err != nil {
294                                 return err
295                         } else if p != "" {
296                                 port = p
297                         } else if u.Scheme == "https" {
298                                 port = "443"
299                         } else {
300                                 port = "80"
301                         }
302                         break
303                 }
304                 if port == "-" {
305                         return fmt.Errorf("bug: no InternalURLs for component %q: %v", cmpt.name, cmpt.svc.InternalURLs)
306                 }
307
308                 err := boot.setupRubyEnv()
309                 if err != nil {
310                         return err
311                 }
312                 var buf bytes.Buffer
313                 err = boot.RunProgram(ctx, cmpt.railsApp, &buf, nil, "gem", "list", "--details", "bundler")
314                 if err != nil {
315                         return err
316                 }
317                 for _, version := range []string{"1.11.0", "1.17.3", "2.0.2"} {
318                         if !strings.Contains(buf.String(), "("+version+")") {
319                                 err = boot.RunProgram(ctx, cmpt.railsApp, nil, nil, "gem", "install", "--user", "bundler:1.11", "bundler:1.17.3", "bundler:2.0.2")
320                                 if err != nil {
321                                         return err
322                                 }
323                                 break
324                         }
325                 }
326                 err = boot.RunProgram(ctx, cmpt.railsApp, nil, nil, "bundle", "install", "--jobs", "4", "--path", filepath.Join(os.Getenv("HOME"), ".gem"))
327                 if err != nil {
328                         return err
329                 }
330                 err = boot.RunProgram(ctx, cmpt.railsApp, nil, nil, "bundle", "exec", "passenger-config", "build-native-support")
331                 if err != nil {
332                         return err
333                 }
334                 err = boot.RunProgram(ctx, cmpt.railsApp, nil, nil, "bundle", "exec", "passenger-config", "install-standalone-runtime")
335                 if err != nil {
336                         return err
337                 }
338                 err = boot.RunProgram(ctx, cmpt.railsApp, nil, nil, "bundle", "exec", "passenger-config", "validate-install")
339                 if err != nil {
340                         return err
341                 }
342                 err = boot.RunProgram(ctx, cmpt.railsApp, nil, nil, "bundle", "exec", "passenger", "start", "-p", port)
343                 if err != nil {
344                         return err
345                 }
346         }
347         return fmt.Errorf("bug: component %q has nothing to run", cmpt.name)
348 }
349
350 func (boot *bootCommand) autofillConfig(cfg *arvados.Config, log logrus.FieldLogger) error {
351         cluster, err := cfg.GetCluster("")
352         if err != nil {
353                 return err
354         }
355         port := 9000
356         for _, svc := range []*arvados.Service{
357                 &cluster.Services.Controller,
358                 &cluster.Services.DispatchCloud,
359                 &cluster.Services.RailsAPI,
360         } {
361                 if len(svc.InternalURLs) == 0 {
362                         port++
363                         svc.InternalURLs = map[arvados.URL]arvados.ServiceInstance{
364                                 arvados.URL{Scheme: "http", Host: fmt.Sprintf("localhost:%d", port)}: arvados.ServiceInstance{},
365                         }
366                 }
367         }
368         if cluster.Services.Controller.ExternalURL.Host == "" {
369                 for k := range cluster.Services.Controller.InternalURLs {
370                         cluster.Services.Controller.ExternalURL = k
371                 }
372         }
373         if cluster.SystemRootToken == "" {
374                 cluster.SystemRootToken = randomHexString(64)
375         }
376         if cluster.API.RailsSessionSecretToken == "" {
377                 cluster.API.RailsSessionSecretToken = randomHexString(64)
378         }
379         if cluster.Collections.BlobSigningKey == "" {
380                 cluster.Collections.BlobSigningKey = randomHexString(64)
381         }
382         if boot.clusterType != "production" && cluster.Containers.DispatchPrivateKey == "" {
383                 buf, err := ioutil.ReadFile(filepath.Join(boot.sourcePath, "lib", "dispatchcloud", "test", "sshkey_dispatch"))
384                 if err != nil {
385                         return err
386                 }
387                 cluster.Containers.DispatchPrivateKey = string(buf)
388         }
389         cfg.Clusters[cluster.ClusterID] = *cluster
390         return nil
391 }
392
393 func randomHexString(chars int) string {
394         b := make([]byte, chars/2)
395         _, err := rand.Read(b)
396         if err != nil {
397                 panic(err)
398         }
399         return fmt.Sprintf("%x", b)
400 }