17609: Add "run container" test.
[arvados.git] / lib / diagnostics / cmd.go
1 // Copyright (C) The Arvados Authors. All rights reserved.
2 //
3 // SPDX-License-Identifier: AGPL-3.0
4
5 package diagnostics
6
7 import (
8         "bytes"
9         "context"
10         "flag"
11         "fmt"
12         "io"
13         "io/ioutil"
14         "net"
15         "net/http"
16         "net/url"
17         "strings"
18         "time"
19
20         "git.arvados.org/arvados.git/sdk/go/arvados"
21         "git.arvados.org/arvados.git/sdk/go/ctxlog"
22         "github.com/sirupsen/logrus"
23 )
24
25 type Command struct{}
26
27 func (cmd Command) RunCommand(prog string, args []string, stdin io.Reader, stdout, stderr io.Writer) int {
28         var diag diagnoser
29         f := flag.NewFlagSet(prog, flag.ContinueOnError)
30         f.StringVar(&diag.projectName, "project-name", "scratch area for diagnostics", "name of project to find/create in home project and use for temporary/test objects")
31         f.StringVar(&diag.logLevel, "log-level", "info", "logging level (debug, info, warning, error)")
32         f.BoolVar(&diag.checkInternal, "internal-client", false, "check that this host is considered an \"internal\" client")
33         f.BoolVar(&diag.checkExternal, "external-client", false, "check that this host is considered an \"external\" client")
34         f.IntVar(&diag.priority, "priority", 500, "priority for test container (1..1000)")
35         f.DurationVar(&diag.timeout, "timeout", 10*time.Second, "timeout for http requests")
36         err := f.Parse(args)
37         if err == flag.ErrHelp {
38                 return 0
39         } else if err != nil {
40                 fmt.Fprintln(stderr, err)
41                 return 2
42         }
43         diag.logger = ctxlog.New(stdout, "text", diag.logLevel)
44         diag.logger.SetFormatter(&logrus.TextFormatter{DisableTimestamp: true, DisableLevelTruncation: true})
45         diag.runtests()
46         if len(diag.errors) == 0 {
47                 diag.logger.Info("--- no errors ---")
48                 return 0
49         } else {
50                 if diag.logger.Level > logrus.ErrorLevel {
51                         fmt.Fprint(stdout, "\n--- cut here --- error summary ---\n\n")
52                         for _, e := range diag.errors {
53                                 diag.logger.Error(e)
54                         }
55                 }
56                 return 1
57         }
58 }
59
60 type diagnoser struct {
61         stdout        io.Writer
62         stderr        io.Writer
63         logLevel      string
64         priority      int
65         projectName   string
66         checkInternal bool
67         checkExternal bool
68         timeout       time.Duration
69         logger        *logrus.Logger
70         errors        []string
71         done          map[int]bool
72 }
73
74 func (diag *diagnoser) debugf(f string, args ...interface{}) {
75         diag.logger.Debugf(f, args...)
76 }
77
78 func (diag *diagnoser) infof(f string, args ...interface{}) {
79         diag.logger.Infof(f, args...)
80 }
81
82 func (diag *diagnoser) warnf(f string, args ...interface{}) {
83         diag.logger.Warnf(f, args...)
84 }
85
86 func (diag *diagnoser) errorf(f string, args ...interface{}) {
87         diag.logger.Errorf(f, args...)
88         diag.errors = append(diag.errors, fmt.Sprintf(f, args...))
89 }
90
91 // Run the given func, logging appropriate messages before and after,
92 // adding timing info, etc.
93 //
94 // The id argument should be unique among tests, and shouldn't change
95 // when other tests are added/removed.
96 func (diag *diagnoser) dotest(id int, title string, fn func() error) {
97         if diag.done == nil {
98                 diag.done = map[int]bool{}
99         } else if diag.done[id] {
100                 diag.errorf("(bug) reused test id %d", id)
101         }
102         diag.done[id] = true
103
104         diag.infof("%4d %s", id, title)
105         t0 := time.Now()
106         err := fn()
107         elapsed := fmt.Sprintf("%.0dms", time.Now().Sub(t0)/time.Millisecond)
108         if err != nil {
109                 diag.errorf("%s (%s): %s", title, elapsed, err)
110         }
111         diag.debugf("%4d %s (%s): ok", id, title, elapsed)
112 }
113
114 func (diag *diagnoser) runtests() {
115         client := arvados.NewClientFromEnv()
116
117         if client.APIHost == "" || client.AuthToken == "" {
118                 diag.errorf("ARVADOS_API_HOST and ARVADOS_API_TOKEN environment variables are not set -- aborting without running any tests")
119                 return
120         }
121
122         var dd arvados.DiscoveryDocument
123         ddpath := "discovery/v1/apis/arvados/v1/rest"
124         diag.dotest(10, fmt.Sprintf("getting discovery document from https://%s/%s", client.APIHost, ddpath), func() error {
125                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
126                 defer cancel()
127                 err := client.RequestAndDecodeContext(ctx, &dd, "GET", ddpath, nil, nil)
128                 if err != nil {
129                         return err
130                 }
131                 diag.debugf("BlobSignatureTTL = %d", dd.BlobSignatureTTL)
132                 return nil
133         })
134
135         var cluster arvados.Cluster
136         cfgpath := "arvados/v1/config"
137         diag.dotest(20, fmt.Sprintf("getting exported config from https://%s/%s", client.APIHost, cfgpath), func() error {
138                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
139                 defer cancel()
140                 err := client.RequestAndDecodeContext(ctx, &cluster, "GET", cfgpath, nil, nil)
141                 if err != nil {
142                         return err
143                 }
144                 diag.debugf("Collections.BlobSigning = %v", cluster.Collections.BlobSigning)
145                 return nil
146         })
147
148         var user arvados.User
149         diag.dotest(30, "getting current user record", func() error {
150                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
151                 defer cancel()
152                 err := client.RequestAndDecodeContext(ctx, &user, "GET", "arvados/v1/users/current", nil, nil)
153                 if err != nil {
154                         return err
155                 }
156                 diag.debugf("user uuid = %s", user.UUID)
157                 return nil
158         })
159
160         // uncomment to create some spurious errors
161         // cluster.Services.WebDAVDownload.ExternalURL.Host = "0.0.0.0:9"
162
163         // TODO: detect routing errors here, like finding wb2 at the
164         // wb1 address.
165         for i, svc := range []*arvados.Service{
166                 &cluster.Services.Keepproxy,
167                 &cluster.Services.WebDAV,
168                 &cluster.Services.WebDAVDownload,
169                 &cluster.Services.Websocket,
170                 &cluster.Services.Workbench1,
171                 &cluster.Services.Workbench2,
172         } {
173                 diag.dotest(40+i, fmt.Sprintf("connecting to service endpoint %s", svc.ExternalURL), func() error {
174                         ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
175                         defer cancel()
176                         u := svc.ExternalURL
177                         if strings.HasPrefix(u.Scheme, "ws") {
178                                 // We can do a real websocket test elsewhere,
179                                 // but for now we'll just check the https
180                                 // connection.
181                                 u.Scheme = "http" + u.Scheme[2:]
182                         }
183                         if svc == &cluster.Services.WebDAV && strings.HasPrefix(u.Host, "*") {
184                                 u.Host = "d41d8cd98f00b204e9800998ecf8427e-0" + u.Host[1:]
185                         }
186                         req, err := http.NewRequestWithContext(ctx, http.MethodGet, u.String(), nil)
187                         if err != nil {
188                                 return err
189                         }
190                         resp, err := http.DefaultClient.Do(req)
191                         if err != nil {
192                                 return err
193                         }
194                         resp.Body.Close()
195                         return nil
196                 })
197         }
198
199         for i, url := range []string{
200                 cluster.Services.Controller.ExternalURL.String(),
201                 cluster.Services.Keepproxy.ExternalURL.String() + "d41d8cd98f00b204e9800998ecf8427e+0",
202                 cluster.Services.WebDAVDownload.ExternalURL.String(),
203         } {
204                 diag.dotest(50+i, fmt.Sprintf("checking CORS headers at %s", url), func() error {
205                         ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
206                         defer cancel()
207                         req, err := http.NewRequestWithContext(ctx, "GET", url, nil)
208                         if err != nil {
209                                 return err
210                         }
211                         req.Header.Set("Origin", "https://example.com")
212                         resp, err := http.DefaultClient.Do(req)
213                         if err != nil {
214                                 return err
215                         }
216                         if hdr := resp.Header.Get("Access-Control-Allow-Origin"); hdr != "*" {
217                                 return fmt.Errorf("expected \"Access-Control-Allow-Origin: *\", got %q", hdr)
218                         }
219                         return nil
220                 })
221         }
222
223         var keeplist arvados.KeepServiceList
224         diag.dotest(60, "checking internal/external client detection", func() error {
225                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
226                 defer cancel()
227                 err := client.RequestAndDecodeContext(ctx, &keeplist, "GET", "arvados/v1/keep_services/accessible", nil, arvados.ListOptions{Limit: 999999})
228                 if err != nil {
229                         return fmt.Errorf("error getting keep services list: %s", err)
230                 } else if len(keeplist.Items) == 0 {
231                         return fmt.Errorf("controller did not return any keep services")
232                 }
233                 found := map[string]int{}
234                 for _, ks := range keeplist.Items {
235                         found[ks.ServiceType]++
236                 }
237                 isInternal := found["proxy"] == 0 && len(keeplist.Items) > 0
238                 isExternal := found["proxy"] > 0 && found["proxy"] == len(keeplist.Items)
239                 if isExternal {
240                         diag.debugf("controller returned only proxy services, this host is treated as \"external\"")
241                 } else if isInternal {
242                         diag.debugf("controller returned only non-proxy services, this host is treated as \"internal\"")
243                 }
244                 if (diag.checkInternal && !isInternal) || (diag.checkExternal && !isExternal) {
245                         return fmt.Errorf("expecting internal=%v external=%v, but found internal=%v external=%v", diag.checkInternal, diag.checkExternal, isInternal, isExternal)
246                 }
247                 return nil
248         })
249
250         for i, ks := range keeplist.Items {
251                 u := url.URL{
252                         Scheme: "http",
253                         Host:   net.JoinHostPort(ks.ServiceHost, fmt.Sprintf("%d", ks.ServicePort)),
254                         Path:   "/",
255                 }
256                 if ks.ServiceSSLFlag {
257                         u.Scheme = "https"
258                 }
259                 diag.dotest(61+i, fmt.Sprintf("reading+writing via keep service at %s", u.String()), func() error {
260                         ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
261                         defer cancel()
262                         req, err := http.NewRequestWithContext(ctx, "PUT", u.String()+"d41d8cd98f00b204e9800998ecf8427e", nil)
263                         if err != nil {
264                                 return err
265                         }
266                         req.Header.Set("Authorization", "Bearer "+client.AuthToken)
267                         resp, err := http.DefaultClient.Do(req)
268                         if err != nil {
269                                 return err
270                         }
271                         defer resp.Body.Close()
272                         body, err := ioutil.ReadAll(resp.Body)
273                         if err != nil {
274                                 return fmt.Errorf("reading response body: %s", err)
275                         }
276                         loc := strings.TrimSpace(string(body))
277                         if !strings.HasPrefix(loc, "d41d8") {
278                                 return fmt.Errorf("unexpected response from write: %q", body)
279                         }
280
281                         req, err = http.NewRequestWithContext(ctx, "GET", u.String()+loc, nil)
282                         if err != nil {
283                                 return err
284                         }
285                         req.Header.Set("Authorization", "Bearer "+client.AuthToken)
286                         resp, err = http.DefaultClient.Do(req)
287                         if err != nil {
288                                 return err
289                         }
290                         defer resp.Body.Close()
291                         body, err = ioutil.ReadAll(resp.Body)
292                         if err != nil {
293                                 return fmt.Errorf("reading response body: %s", err)
294                         }
295                         if len(body) != 0 {
296                                 return fmt.Errorf("unexpected response from read: %q", body)
297                         }
298
299                         return nil
300                 })
301         }
302
303         var project arvados.Group
304         diag.dotest(80, fmt.Sprintf("finding/creating %q project", diag.projectName), func() error {
305                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
306                 defer cancel()
307                 var grplist arvados.GroupList
308                 err := client.RequestAndDecodeContext(ctx, &grplist, "GET", "arvados/v1/groups", nil, arvados.ListOptions{
309                         Filters: []arvados.Filter{
310                                 {"name", "=", diag.projectName},
311                                 {"group_class", "=", "project"},
312                                 {"owner_uuid", "=", user.UUID}},
313                         Limit: 999999})
314                 if err != nil {
315                         return fmt.Errorf("list groups: %s", err)
316                 }
317                 if len(grplist.Items) > 0 {
318                         project = grplist.Items[0]
319                         diag.debugf("using existing project, uuid = %s", project.UUID)
320                         return nil
321                 }
322                 diag.debugf("list groups: ok, no results")
323                 err = client.RequestAndDecodeContext(ctx, &project, "POST", "arvados/v1/groups", nil, map[string]interface{}{"group": map[string]interface{}{
324                         "name":        diag.projectName,
325                         "group_class": "project",
326                 }})
327                 if err != nil {
328                         return fmt.Errorf("create project: %s", err)
329                 }
330                 diag.debugf("created project, uuid = %s", project.UUID)
331                 return nil
332         })
333
334         var collection arvados.Collection
335         diag.dotest(90, "creating temporary collection", func() error {
336                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
337                 defer cancel()
338                 err := client.RequestAndDecodeContext(ctx, &collection, "POST", "arvados/v1/collections", nil, map[string]interface{}{
339                         "ensure_unique_name": true,
340                         "collection": map[string]interface{}{
341                                 "name":     "test collection",
342                                 "trash_at": time.Now().Add(time.Hour)}})
343                 if err != nil {
344                         return err
345                 }
346                 diag.debugf("ok, uuid = %s", collection.UUID)
347                 return nil
348         })
349
350         if collection.UUID != "" {
351                 defer func() {
352                         diag.dotest(9990, "deleting temporary collection", func() error {
353                                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
354                                 defer cancel()
355                                 return client.RequestAndDecodeContext(ctx, nil, "DELETE", "arvados/v1/collections/"+collection.UUID, nil, nil)
356                         })
357                 }()
358         }
359
360         diag.dotest(100, "uploading file via webdav", func() error {
361                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
362                 defer cancel()
363                 if collection.UUID == "" {
364                         return fmt.Errorf("skipping, no test collection")
365                 }
366                 req, err := http.NewRequestWithContext(ctx, "PUT", cluster.Services.WebDAVDownload.ExternalURL.String()+"c="+collection.UUID+"/testfile", bytes.NewBufferString("testfiledata"))
367                 if err != nil {
368                         return fmt.Errorf("BUG? http.NewRequest: %s", err)
369                 }
370                 req.Header.Set("Authorization", "Bearer "+client.AuthToken)
371                 resp, err := http.DefaultClient.Do(req)
372                 if err != nil {
373                         return fmt.Errorf("error performing http request: %s", err)
374                 }
375                 resp.Body.Close()
376                 if resp.StatusCode != http.StatusCreated {
377                         return fmt.Errorf("status %s", resp.Status)
378                 }
379                 diag.debugf("ok, status %s", resp.Status)
380                 err = client.RequestAndDecodeContext(ctx, &collection, "GET", "arvados/v1/collections/"+collection.UUID, nil, nil)
381                 if err != nil {
382                         return fmt.Errorf("get updated collection: %s", err)
383                 }
384                 diag.debugf("ok, pdh %s", collection.PortableDataHash)
385                 return nil
386         })
387
388         davurl := cluster.Services.WebDAV.ExternalURL
389         diag.dotest(110, fmt.Sprintf("checking WebDAV ExternalURL wildcard (%s)", davurl), func() error {
390                 if davurl.Host == "" {
391                         return fmt.Errorf("host missing - content previews will not work")
392                 }
393                 if !strings.HasPrefix(davurl.Host, "*--") && !strings.HasPrefix(davurl.Host, "*.") && !cluster.Collections.TrustAllContent {
394                         diag.warnf("WebDAV ExternalURL has no leading wildcard and TrustAllContent==false - content previews will not work")
395                 }
396                 return nil
397         })
398
399         for i, trial := range []struct {
400                 needcoll bool
401                 status   int
402                 fileurl  string
403         }{
404                 {false, http.StatusNotFound, strings.Replace(davurl.String(), "*", "d41d8cd98f00b204e9800998ecf8427e-0", 1) + "foo"},
405                 {false, http.StatusNotFound, strings.Replace(davurl.String(), "*", "d41d8cd98f00b204e9800998ecf8427e-0", 1) + "testfile"},
406                 {false, http.StatusNotFound, cluster.Services.WebDAVDownload.ExternalURL.String() + "c=d41d8cd98f00b204e9800998ecf8427e+0/_/foo"},
407                 {false, http.StatusNotFound, cluster.Services.WebDAVDownload.ExternalURL.String() + "c=d41d8cd98f00b204e9800998ecf8427e+0/_/testfile"},
408                 {true, http.StatusOK, strings.Replace(davurl.String(), "*", strings.Replace(collection.PortableDataHash, "+", "-", -1), 1) + "testfile"},
409                 {true, http.StatusOK, cluster.Services.WebDAVDownload.ExternalURL.String() + "c=" + collection.UUID + "/_/testfile"},
410         } {
411                 diag.dotest(120+i, fmt.Sprintf("downloading from webdav (%s)", trial.fileurl), func() error {
412                         ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
413                         defer cancel()
414                         if trial.needcoll && collection.UUID == "" {
415                                 return fmt.Errorf("skipping, no test collection")
416                         }
417                         req, err := http.NewRequestWithContext(ctx, "GET", trial.fileurl, nil)
418                         if err != nil {
419                                 return err
420                         }
421                         req.Header.Set("Authorization", "Bearer "+client.AuthToken)
422                         resp, err := http.DefaultClient.Do(req)
423                         if err != nil {
424                                 return err
425                         }
426                         defer resp.Body.Close()
427                         body, err := ioutil.ReadAll(resp.Body)
428                         if err != nil {
429                                 return fmt.Errorf("reading response: %s", err)
430                         }
431                         if resp.StatusCode != trial.status {
432                                 return fmt.Errorf("unexpected response status: %s", resp.Status)
433                         }
434                         if trial.status == http.StatusOK && string(body) != "testfiledata" {
435                                 return fmt.Errorf("unexpected response content: %q", body)
436                         }
437                         return nil
438                 })
439         }
440
441         var vm arvados.VirtualMachine
442         diag.dotest(130, "getting list of virtual machines", func() error {
443                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
444                 defer cancel()
445                 var vmlist arvados.VirtualMachineList
446                 err := client.RequestAndDecodeContext(ctx, &vmlist, "GET", "arvados/v1/virtual_machines", nil, arvados.ListOptions{Limit: 999999})
447                 if err != nil {
448                         return err
449                 }
450                 if len(vmlist.Items) < 1 {
451                         return fmt.Errorf("no VMs found")
452                 }
453                 vm = vmlist.Items[0]
454                 return nil
455         })
456
457         diag.dotest(140, "getting workbench1 webshell page", func() error {
458                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
459                 defer cancel()
460                 if vm.UUID == "" {
461                         return fmt.Errorf("skipping, no vm available")
462                 }
463                 webshelltermurl := cluster.Services.Workbench1.ExternalURL.String() + "virtual_machines/" + vm.UUID + "/webshell/testusername"
464                 diag.debugf("url %s", webshelltermurl)
465                 req, err := http.NewRequestWithContext(ctx, "GET", webshelltermurl, nil)
466                 if err != nil {
467                         return err
468                 }
469                 req.Header.Set("Authorization", "Bearer "+client.AuthToken)
470                 resp, err := http.DefaultClient.Do(req)
471                 if err != nil {
472                         return err
473                 }
474                 defer resp.Body.Close()
475                 body, err := ioutil.ReadAll(resp.Body)
476                 if err != nil {
477                         return fmt.Errorf("reading response: %s", err)
478                 }
479                 if resp.StatusCode != http.StatusOK {
480                         return fmt.Errorf("unexpected response status: %s %q", resp.Status, body)
481                 }
482                 return nil
483         })
484
485         diag.dotest(150, "connecting to webshell service", func() error {
486                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
487                 defer cancel()
488                 if vm.UUID == "" {
489                         return fmt.Errorf("skipping, no vm available")
490                 }
491                 u := cluster.Services.WebShell.ExternalURL
492                 webshellurl := u.String() + vm.Hostname + "?"
493                 if strings.HasPrefix(u.Host, "*") {
494                         u.Host = vm.Hostname + u.Host[1:]
495                         webshellurl = u.String() + "?"
496                 }
497                 diag.debugf("url %s", webshellurl)
498                 req, err := http.NewRequestWithContext(ctx, "POST", webshellurl, bytes.NewBufferString(url.Values{
499                         "width":   {"80"},
500                         "height":  {"25"},
501                         "session": {"xyzzy"},
502                         "rooturl": {webshellurl},
503                 }.Encode()))
504                 if err != nil {
505                         return err
506                 }
507                 req.Header.Set("Content-Type", "application/x-www-form-urlencoded; charset=UTF-8")
508                 resp, err := http.DefaultClient.Do(req)
509                 if err != nil {
510                         return err
511                 }
512                 defer resp.Body.Close()
513                 diag.debugf("response status %s", resp.Status)
514                 body, err := ioutil.ReadAll(resp.Body)
515                 if err != nil {
516                         return fmt.Errorf("reading response: %s", err)
517                 }
518                 diag.debugf("response body %q", body)
519                 // We don't speak the protocol, so we get a 400 error
520                 // from the webshell server even if everything is
521                 // OK. Anything else (404, 502, ???) indicates a
522                 // problem.
523                 if resp.StatusCode != http.StatusBadRequest {
524                         return fmt.Errorf("unexpected response status: %s, %q", resp.Status, body)
525                 }
526                 return nil
527         })
528
529         diag.dotest(160, "running a container", func() error {
530                 if diag.priority < 1 {
531                         diag.debugf("skipping, caller requested priority<1 (%d)", diag.priority)
532                         return nil
533                 }
534
535                 var cr arvados.ContainerRequest
536                 ctx, cancel := context.WithDeadline(context.Background(), time.Now().Add(diag.timeout))
537                 defer cancel()
538
539                 timestamp := time.Now().Format(time.RFC3339)
540                 err := client.RequestAndDecodeContext(ctx, &cr, "POST", "arvados/v1/container_requests", nil, map[string]interface{}{"container_request": map[string]interface{}{
541                         "owner_uuid":      project.UUID,
542                         "name":            fmt.Sprintf("diagnostics container request %s", timestamp),
543                         "container_image": "arvados/jobs",
544                         "command":         []string{"echo", timestamp},
545                         "use_existing":    false,
546                         "output_path":     "/mnt/output",
547                         "output_name":     fmt.Sprintf("diagnostics output %s", timestamp),
548                         "priority":        diag.priority,
549                         "state":           arvados.ContainerRequestStateCommitted,
550                         "mounts": map[string]map[string]interface{}{
551                                 "/mnt/output": {
552                                         "kind":     "collection",
553                                         "writable": true,
554                                 },
555                         },
556                         "runtime_constraints": arvados.RuntimeConstraints{
557                                 VCPUs:        1,
558                                 RAM:          1 << 26,
559                                 KeepCacheRAM: 1 << 26,
560                         },
561                 }})
562                 if err != nil {
563                         return err
564                 }
565                 diag.debugf("container request uuid = %s", cr.UUID)
566                 diag.debugf("container uuid = %s", cr.ContainerUUID)
567
568                 timeout := 10 * time.Minute
569                 diag.infof("container request submitted, waiting up to %v for container to run", arvados.Duration(timeout))
570                 ctx, cancel = context.WithDeadline(context.Background(), time.Now().Add(timeout))
571                 defer cancel()
572
573                 var c arvados.Container
574                 for ; cr.State != arvados.ContainerRequestStateFinal; time.Sleep(2 * time.Second) {
575                         ctx, cancel := context.WithDeadline(ctx, time.Now().Add(diag.timeout))
576                         defer cancel()
577
578                         crStateWas := cr.State
579                         err := client.RequestAndDecodeContext(ctx, &cr, "GET", "arvados/v1/container_requests/"+cr.UUID, nil, nil)
580                         if err != nil {
581                                 return err
582                         }
583                         if cr.State != crStateWas {
584                                 diag.debugf("container request state = %s", cr.State)
585                         }
586
587                         cStateWas := c.State
588                         err = client.RequestAndDecodeContext(ctx, &c, "GET", "arvados/v1/containers/"+cr.ContainerUUID, nil, nil)
589                         if err != nil {
590                                 return err
591                         }
592                         if c.State != cStateWas {
593                                 diag.debugf("container state = %s", c.State)
594                         }
595                 }
596
597                 if c.State != arvados.ContainerStateComplete {
598                         return fmt.Errorf("container request %s is final but container %s did not complete: container state = %q", cr.UUID, cr.ContainerUUID, c.State)
599                 } else if c.ExitCode != 0 {
600                         return fmt.Errorf("container exited %d", c.ExitCode)
601                 }
602                 return nil
603         })
604 }