Merge branch '15397-remove-obsolete-apis'
[arvados.git] / lib / controller / integration_test.go
1 // Copyright (C) The Arvados Authors. All rights reserved.
2 //
3 // SPDX-License-Identifier: AGPL-3.0
4
5 package controller
6
7 import (
8         "bytes"
9         "context"
10         "database/sql"
11         "encoding/json"
12         "fmt"
13         "io"
14         "io/fs"
15         "io/ioutil"
16         "math"
17         "net"
18         "net/http"
19         "os"
20         "os/exec"
21         "strconv"
22         "strings"
23         "sync"
24         "time"
25
26         "git.arvados.org/arvados.git/lib/boot"
27         "git.arvados.org/arvados.git/sdk/go/arvados"
28         "git.arvados.org/arvados.git/sdk/go/arvadostest"
29         "git.arvados.org/arvados.git/sdk/go/ctxlog"
30         "git.arvados.org/arvados.git/sdk/go/httpserver"
31         "git.arvados.org/arvados.git/sdk/go/keepclient"
32         check "gopkg.in/check.v1"
33 )
34
35 var _ = check.Suite(&IntegrationSuite{})
36
37 type IntegrationSuite struct {
38         super        *boot.Supervisor
39         oidcprovider *arvadostest.OIDCProvider
40 }
41
42 func (s *IntegrationSuite) SetUpSuite(c *check.C) {
43         s.oidcprovider = arvadostest.NewOIDCProvider(c)
44         s.oidcprovider.AuthEmail = "user@example.com"
45         s.oidcprovider.AuthEmailVerified = true
46         s.oidcprovider.AuthName = "Example User"
47         s.oidcprovider.ValidClientID = "clientid"
48         s.oidcprovider.ValidClientSecret = "clientsecret"
49
50         hostport := map[string]string{}
51         for _, id := range []string{"z1111", "z2222", "z3333"} {
52                 hostport[id] = func() string {
53                         // TODO: Instead of expecting random ports on
54                         // 127.0.0.11, 22, 33 to be race-safe, try
55                         // different 127.x.y.z until finding one that
56                         // isn't in use.
57                         ln, err := net.Listen("tcp", ":0")
58                         c.Assert(err, check.IsNil)
59                         ln.Close()
60                         _, port, err := net.SplitHostPort(ln.Addr().String())
61                         c.Assert(err, check.IsNil)
62                         return "127.0.0." + id[3:] + ":" + port
63                 }()
64         }
65         yaml := "Clusters:\n"
66         for id := range hostport {
67                 yaml += `
68   ` + id + `:
69     Services:
70       Controller:
71         ExternalURL: https://` + hostport[id] + `
72     TLS:
73       Insecure: true
74     SystemLogs:
75       Format: text
76     API:
77       MaxConcurrentRequests: 128
78     Containers:
79       CloudVMs:
80         Enable: true
81         Driver: loopback
82         BootProbeCommand: "rm -f /var/lock/crunch-run-broken"
83         ProbeInterval: 1s
84         PollInterval: 5s
85         SyncInterval: 10s
86         TimeoutIdle: 1s
87         TimeoutBooting: 2s
88       RuntimeEngine: singularity
89       CrunchRunArgumentsList: ["--broken-node-hook", "true"]
90     RemoteClusters:
91       z1111:
92         Host: ` + hostport["z1111"] + `
93         Scheme: https
94         Insecure: true
95         Proxy: true
96         ActivateUsers: true
97 `
98                 if id != "z2222" {
99                         yaml += `      z2222:
100         Host: ` + hostport["z2222"] + `
101         Scheme: https
102         Insecure: true
103         Proxy: true
104         ActivateUsers: true
105 `
106                 }
107                 if id != "z3333" {
108                         yaml += `      z3333:
109         Host: ` + hostport["z3333"] + `
110         Scheme: https
111         Insecure: true
112         Proxy: true
113         ActivateUsers: true
114 `
115                 }
116                 if id == "z1111" {
117                         yaml += `
118     Login:
119       LoginCluster: z1111
120       OpenIDConnect:
121         Enable: true
122         Issuer: ` + s.oidcprovider.Issuer.URL + `
123         ClientID: ` + s.oidcprovider.ValidClientID + `
124         ClientSecret: ` + s.oidcprovider.ValidClientSecret + `
125         EmailClaim: email
126         EmailVerifiedClaim: email_verified
127         AcceptAccessToken: true
128         AcceptAccessTokenScope: ""
129 `
130                 } else {
131                         yaml += `
132     Login:
133       LoginCluster: z1111
134 `
135                 }
136         }
137         s.super = &boot.Supervisor{
138                 ClusterType:          "test",
139                 ConfigYAML:           yaml,
140                 Stderr:               ctxlog.LogWriter(c.Log),
141                 NoWorkbench1:         true,
142                 NoWorkbench2:         true,
143                 OwnTemporaryDatabase: true,
144         }
145
146         // Give up if startup takes longer than 3m
147         timeout := time.AfterFunc(3*time.Minute, s.super.Stop)
148         defer timeout.Stop()
149         s.super.Start(context.Background())
150         ok := s.super.WaitReady()
151         c.Assert(ok, check.Equals, true)
152 }
153
154 func (s *IntegrationSuite) TearDownSuite(c *check.C) {
155         if s.super != nil {
156                 s.super.Stop()
157                 s.super.Wait()
158         }
159 }
160
161 func (s *IntegrationSuite) TestDefaultStorageClassesOnCollections(c *check.C) {
162         conn := s.super.Conn("z1111")
163         rootctx, _, _ := s.super.RootClients("z1111")
164         userctx, _, kc, _ := s.super.UserClients("z1111", rootctx, c, conn, s.oidcprovider.AuthEmail, true)
165         c.Assert(len(kc.DefaultStorageClasses) > 0, check.Equals, true)
166         coll, err := conn.CollectionCreate(userctx, arvados.CreateOptions{})
167         c.Assert(err, check.IsNil)
168         c.Assert(coll.StorageClassesDesired, check.DeepEquals, kc.DefaultStorageClasses)
169 }
170
171 func (s *IntegrationSuite) createTestCollectionManifest(c *check.C, ac *arvados.Client, kc *keepclient.KeepClient, content string) string {
172         fs, err := (&arvados.Collection{}).FileSystem(ac, kc)
173         c.Assert(err, check.IsNil)
174         f, err := fs.OpenFile("test.txt", os.O_CREATE|os.O_RDWR, 0777)
175         c.Assert(err, check.IsNil)
176         _, err = io.WriteString(f, content)
177         c.Assert(err, check.IsNil)
178         err = f.Close()
179         c.Assert(err, check.IsNil)
180         mtxt, err := fs.MarshalManifest(".")
181         c.Assert(err, check.IsNil)
182         return mtxt
183 }
184
185 func (s *IntegrationSuite) TestGetCollectionByPDH(c *check.C) {
186         conn1 := s.super.Conn("z1111")
187         rootctx1, _, _ := s.super.RootClients("z1111")
188         conn3 := s.super.Conn("z3333")
189         userctx1, ac1, kc1, _ := s.super.UserClients("z1111", rootctx1, c, conn1, s.oidcprovider.AuthEmail, true)
190
191         // Create the collection to find its PDH (but don't save it
192         // anywhere yet)
193         mtxt := s.createTestCollectionManifest(c, ac1, kc1, c.TestName())
194         pdh := arvados.PortableDataHash(mtxt)
195
196         // Looking up the PDH before saving returns 404 if cycle
197         // detection is working.
198         _, err := conn1.CollectionGet(userctx1, arvados.GetOptions{UUID: pdh})
199         c.Assert(err, check.ErrorMatches, `.*404 Not Found.*`)
200
201         // Save the collection on cluster z1111.
202         _, err = conn1.CollectionCreate(userctx1, arvados.CreateOptions{Attrs: map[string]interface{}{
203                 "manifest_text": mtxt,
204         }})
205         c.Assert(err, check.IsNil)
206
207         // Retrieve the collection from cluster z3333.
208         coll2, err := conn3.CollectionGet(userctx1, arvados.GetOptions{UUID: pdh})
209         c.Check(err, check.IsNil)
210         c.Check(coll2.PortableDataHash, check.Equals, pdh)
211 }
212
213 func (s *IntegrationSuite) TestFederation_Write1Read2(c *check.C) {
214         s.testFederationCollectionAccess(c, "z1111", "z2222")
215 }
216
217 func (s *IntegrationSuite) TestFederation_Write2Read1(c *check.C) {
218         s.testFederationCollectionAccess(c, "z2222", "z1111")
219 }
220
221 func (s *IntegrationSuite) TestFederation_Write2Read3(c *check.C) {
222         s.testFederationCollectionAccess(c, "z2222", "z3333")
223 }
224
225 func (s *IntegrationSuite) testFederationCollectionAccess(c *check.C, writeCluster, readCluster string) {
226         conn1 := s.super.Conn("z1111")
227         rootctx1, _, _ := s.super.RootClients("z1111")
228         _, ac1, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, s.oidcprovider.AuthEmail, true)
229
230         connW := s.super.Conn(writeCluster)
231         userctxW, acW, kcW := s.super.ClientsWithToken(writeCluster, ac1.AuthToken)
232         kcW.DiskCacheSize = keepclient.DiskCacheDisabled
233         connR := s.super.Conn(readCluster)
234         userctxR, acR, kcR := s.super.ClientsWithToken(readCluster, ac1.AuthToken)
235         kcR.DiskCacheSize = keepclient.DiskCacheDisabled
236
237         filedata := fmt.Sprintf("%s: write to %s, read from %s", c.TestName(), writeCluster, readCluster)
238         mtxt := s.createTestCollectionManifest(c, acW, kcW, filedata)
239         collW, err := connW.CollectionCreate(userctxW, arvados.CreateOptions{Attrs: map[string]interface{}{
240                 "manifest_text": mtxt,
241         }})
242         c.Assert(err, check.IsNil)
243
244         collR, err := connR.CollectionGet(userctxR, arvados.GetOptions{UUID: collW.UUID})
245         if !c.Check(err, check.IsNil) {
246                 return
247         }
248         fsR, err := collR.FileSystem(acR, kcR)
249         if !c.Check(err, check.IsNil) {
250                 return
251         }
252         buf, err := fs.ReadFile(arvados.FS(fsR), "test.txt")
253         if !c.Check(err, check.IsNil) {
254                 return
255         }
256         c.Check(string(buf), check.Equals, filedata)
257 }
258
259 // Tests bug #18004
260 func (s *IntegrationSuite) TestRemoteUserAndTokenCacheRace(c *check.C) {
261         conn1 := s.super.Conn("z1111")
262         rootctx1, _, _ := s.super.RootClients("z1111")
263         rootctx2, _, _ := s.super.RootClients("z2222")
264         conn2 := s.super.Conn("z2222")
265         userctx1, _, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, "user2@example.com", true)
266
267         var wg1, wg2 sync.WaitGroup
268         creqs := 100
269
270         // Make concurrent requests to z2222 with a local token to make sure more
271         // than one worker is listening.
272         wg1.Add(1)
273         for i := 0; i < creqs; i++ {
274                 wg2.Add(1)
275                 go func() {
276                         defer wg2.Done()
277                         wg1.Wait()
278                         _, err := conn2.UserGetCurrent(rootctx2, arvados.GetOptions{})
279                         c.Check(err, check.IsNil, check.Commentf("warm up phase failed"))
280                 }()
281         }
282         wg1.Done()
283         wg2.Wait()
284
285         // Real test pass -- use a new remote token than the one used in the warm-up
286         // phase.
287         wg1.Add(1)
288         for i := 0; i < creqs; i++ {
289                 wg2.Add(1)
290                 go func() {
291                         defer wg2.Done()
292                         wg1.Wait()
293                         // Retrieve the remote collection from cluster z2222.
294                         _, err := conn2.UserGetCurrent(userctx1, arvados.GetOptions{})
295                         c.Check(err, check.IsNil, check.Commentf("testing phase failed"))
296                 }()
297         }
298         wg1.Done()
299         wg2.Wait()
300 }
301
302 func (s *IntegrationSuite) TestS3WithFederatedToken(c *check.C) {
303         if _, err := exec.LookPath("s3cmd"); err != nil {
304                 c.Skip("s3cmd not in PATH")
305                 return
306         }
307
308         testText := "IntegrationSuite.TestS3WithFederatedToken"
309
310         conn1 := s.super.Conn("z1111")
311         rootctx1, _, _ := s.super.RootClients("z1111")
312         userctx1, ac1, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, s.oidcprovider.AuthEmail, true)
313         conn3 := s.super.Conn("z3333")
314
315         createColl := func(clusterID string) arvados.Collection {
316                 _, ac, kc := s.super.ClientsWithToken(clusterID, ac1.AuthToken)
317                 var coll arvados.Collection
318                 fs, err := coll.FileSystem(ac, kc)
319                 c.Assert(err, check.IsNil)
320                 f, err := fs.OpenFile("test.txt", os.O_CREATE|os.O_RDWR, 0777)
321                 c.Assert(err, check.IsNil)
322                 _, err = io.WriteString(f, testText)
323                 c.Assert(err, check.IsNil)
324                 err = f.Close()
325                 c.Assert(err, check.IsNil)
326                 mtxt, err := fs.MarshalManifest(".")
327                 c.Assert(err, check.IsNil)
328                 coll, err = s.super.Conn(clusterID).CollectionCreate(userctx1, arvados.CreateOptions{Attrs: map[string]interface{}{
329                         "manifest_text": mtxt,
330                 }})
331                 c.Assert(err, check.IsNil)
332                 return coll
333         }
334
335         for _, trial := range []struct {
336                 clusterID string // create the collection on this cluster (then use z3333 to access it)
337                 token     string
338         }{
339                 // Try the hardest test first: z3333 hasn't seen
340                 // z1111's token yet, and we're just passing the
341                 // opaque secret part, so z3333 has to guess that it
342                 // belongs to z1111.
343                 {"z1111", strings.Split(ac1.AuthToken, "/")[2]},
344                 {"z3333", strings.Split(ac1.AuthToken, "/")[2]},
345                 {"z1111", strings.Replace(ac1.AuthToken, "/", "_", -1)},
346                 {"z3333", strings.Replace(ac1.AuthToken, "/", "_", -1)},
347         } {
348                 c.Logf("================ %v", trial)
349                 coll := createColl(trial.clusterID)
350
351                 cfgjson, err := conn3.ConfigGet(userctx1)
352                 c.Assert(err, check.IsNil)
353                 var cluster arvados.Cluster
354                 err = json.Unmarshal(cfgjson, &cluster)
355                 c.Assert(err, check.IsNil)
356
357                 c.Logf("TokenV2 is %s", ac1.AuthToken)
358                 host := cluster.Services.WebDAV.ExternalURL.Host
359                 s3args := []string{
360                         "--ssl", "--no-check-certificate",
361                         "--host=" + host, "--host-bucket=" + host,
362                         "--access_key=" + trial.token, "--secret_key=" + trial.token,
363                 }
364                 buf, err := exec.Command("s3cmd", append(s3args, "ls", "s3://"+coll.UUID)...).CombinedOutput()
365                 c.Check(err, check.IsNil)
366                 c.Check(string(buf), check.Matches, `.* `+fmt.Sprintf("%d", len(testText))+` +s3://`+coll.UUID+`/test.txt\n`)
367
368                 buf, _ = exec.Command("s3cmd", append(s3args, "get", "s3://"+coll.UUID+"/test.txt", c.MkDir()+"/tmpfile")...).CombinedOutput()
369                 // Command fails because we don't return Etag header.
370                 flen := strconv.Itoa(len(testText))
371                 c.Check(string(buf), check.Matches, `(?ms).*`+flen+` (bytes in|of `+flen+`).*`)
372         }
373 }
374
375 func (s *IntegrationSuite) TestGetCollectionAsAnonymous(c *check.C) {
376         conn1 := s.super.Conn("z1111")
377         conn3 := s.super.Conn("z3333")
378         rootctx1, rootac1, rootkc1 := s.super.RootClients("z1111")
379         anonctx3, anonac3, _ := s.super.AnonymousClients("z3333")
380
381         // Make sure anonymous token was set
382         c.Assert(anonac3.AuthToken, check.Not(check.Equals), "")
383
384         // Create the collection to find its PDH (but don't save it
385         // anywhere yet)
386         var coll1 arvados.Collection
387         fs1, err := coll1.FileSystem(rootac1, rootkc1)
388         c.Assert(err, check.IsNil)
389         f, err := fs1.OpenFile("test.txt", os.O_CREATE|os.O_RDWR, 0777)
390         c.Assert(err, check.IsNil)
391         _, err = io.WriteString(f, "IntegrationSuite.TestGetCollectionAsAnonymous")
392         c.Assert(err, check.IsNil)
393         err = f.Close()
394         c.Assert(err, check.IsNil)
395         mtxt, err := fs1.MarshalManifest(".")
396         c.Assert(err, check.IsNil)
397         pdh := arvados.PortableDataHash(mtxt)
398
399         // Save the collection on cluster z1111.
400         coll1, err = conn1.CollectionCreate(rootctx1, arvados.CreateOptions{Attrs: map[string]interface{}{
401                 "manifest_text": mtxt,
402         }})
403         c.Assert(err, check.IsNil)
404
405         // Share it with the anonymous users group.
406         var outLink arvados.Link
407         err = rootac1.RequestAndDecode(&outLink, "POST", "/arvados/v1/links", nil,
408                 map[string]interface{}{"link": map[string]interface{}{
409                         "link_class": "permission",
410                         "name":       "can_read",
411                         "tail_uuid":  "z1111-j7d0g-anonymouspublic",
412                         "head_uuid":  coll1.UUID,
413                 },
414                 })
415         c.Check(err, check.IsNil)
416
417         // Current user should be z3 anonymous user
418         outUser, err := anonac3.CurrentUser()
419         c.Check(err, check.IsNil)
420         c.Check(outUser.UUID, check.Equals, "z3333-tpzed-anonymouspublic")
421
422         // Get the token uuid
423         var outAuth arvados.APIClientAuthorization
424         err = anonac3.RequestAndDecode(&outAuth, "GET", "/arvados/v1/api_client_authorizations/current", nil, nil)
425         c.Check(err, check.IsNil)
426
427         // Make a v2 token of the z3 anonymous user, and use it on z1
428         _, anonac1, _ := s.super.ClientsWithToken("z1111", outAuth.TokenV2())
429         outUser2, err := anonac1.CurrentUser()
430         c.Check(err, check.IsNil)
431         // z3 anonymous user will be mapped to the z1 anonymous user
432         c.Check(outUser2.UUID, check.Equals, "z1111-tpzed-anonymouspublic")
433
434         // Retrieve the collection (which is on z1) using anonymous from cluster z3333.
435         coll, err := conn3.CollectionGet(anonctx3, arvados.GetOptions{UUID: coll1.UUID})
436         c.Check(err, check.IsNil)
437         c.Check(coll.PortableDataHash, check.Equals, pdh)
438 }
439
440 // z3333 should forward the locally-issued anonymous user token to its login
441 // cluster z1111. That is no problem because the login cluster controller will
442 // map any anonymous user token to its local anonymous user.
443 //
444 // This needs to work because wb1 has a tendency to slap the local anonymous
445 // user token on every request as a reader_token, which gets folded into the
446 // request token list controller.
447 //
448 // Use a z1111 user token and the anonymous token from z3333 passed in as a
449 // reader_token to do a request on z3333, asking for the z1111 anonymous user
450 // object. The request will be forwarded to the z1111 cluster. The presence of
451 // the z3333 anonymous user token should not prohibit the request from being
452 // forwarded.
453 func (s *IntegrationSuite) TestForwardAnonymousTokenToLoginCluster(c *check.C) {
454         conn1 := s.super.Conn("z1111")
455
456         rootctx1, _, _ := s.super.RootClients("z1111")
457         _, anonac3, _ := s.super.AnonymousClients("z3333")
458
459         // Make a user connection to z3333 (using a z1111 user, because that's the login cluster)
460         _, userac1, _, _ := s.super.UserClients("z3333", rootctx1, c, conn1, "user@example.com", true)
461
462         // Get the anonymous user token for z3333
463         var anon3Auth arvados.APIClientAuthorization
464         err := anonac3.RequestAndDecode(&anon3Auth, "GET", "/arvados/v1/api_client_authorizations/current", nil, nil)
465         c.Check(err, check.IsNil)
466
467         var userList arvados.UserList
468         where := make(map[string]string)
469         where["uuid"] = "z1111-tpzed-anonymouspublic"
470         err = userac1.RequestAndDecode(&userList, "GET", "/arvados/v1/users", nil,
471                 map[string]interface{}{
472                         "reader_tokens": []string{anon3Auth.TokenV2()},
473                         "where":         where,
474                 },
475         )
476         // The local z3333 anonymous token must be allowed to be forwarded to the login cluster
477         c.Check(err, check.IsNil)
478
479         userac1.AuthToken = "v2/z1111-gj3su-asdfasdfasdfasd/this-token-does-not-validate-so-anonymous-token-will-be-used-instead"
480         err = userac1.RequestAndDecode(&userList, "GET", "/arvados/v1/users", nil,
481                 map[string]interface{}{
482                         "reader_tokens": []string{anon3Auth.TokenV2()},
483                         "where":         where,
484                 },
485         )
486         c.Check(err, check.IsNil)
487 }
488
489 // Get a token from the login cluster (z1111), use it to submit a
490 // container request on z2222.
491 func (s *IntegrationSuite) TestCreateContainerRequestWithFedToken(c *check.C) {
492         conn1 := s.super.Conn("z1111")
493         rootctx1, _, _ := s.super.RootClients("z1111")
494         _, ac1, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, s.oidcprovider.AuthEmail, true)
495
496         // Use ac2 to get the discovery doc with a blank token, so the
497         // SDK doesn't magically pass the z1111 token to z2222 before
498         // we're ready to start our test.
499         _, ac2, _ := s.super.ClientsWithToken("z2222", "")
500         var dd map[string]interface{}
501         err := ac2.RequestAndDecode(&dd, "GET", "discovery/v1/apis/arvados/v1/rest", nil, nil)
502         c.Assert(err, check.IsNil)
503
504         var (
505                 body bytes.Buffer
506                 req  *http.Request
507                 resp *http.Response
508                 u    arvados.User
509                 cr   arvados.ContainerRequest
510         )
511         json.NewEncoder(&body).Encode(map[string]interface{}{
512                 "container_request": map[string]interface{}{
513                         "command":         []string{"echo"},
514                         "container_image": "d41d8cd98f00b204e9800998ecf8427e+0",
515                         "cwd":             "/",
516                         "output_path":     "/",
517                 },
518         })
519         ac2.AuthToken = ac1.AuthToken
520
521         c.Log("...post CR with good (but not yet cached) token")
522         cr = arvados.ContainerRequest{}
523         req, err = http.NewRequest("POST", "https://"+ac2.APIHost+"/arvados/v1/container_requests", bytes.NewReader(body.Bytes()))
524         c.Assert(err, check.IsNil)
525         req.Header.Set("Content-Type", "application/json")
526         err = ac2.DoAndDecode(&cr, req)
527         c.Assert(err, check.IsNil)
528         c.Logf("err == %#v", err)
529
530         c.Log("...get user with good token")
531         u = arvados.User{}
532         req, err = http.NewRequest("GET", "https://"+ac2.APIHost+"/arvados/v1/users/current", nil)
533         c.Assert(err, check.IsNil)
534         err = ac2.DoAndDecode(&u, req)
535         c.Check(err, check.IsNil)
536         c.Check(u.UUID, check.Matches, "z1111-tpzed-.*")
537
538         c.Log("...post CR with good cached token")
539         cr = arvados.ContainerRequest{}
540         req, err = http.NewRequest("POST", "https://"+ac2.APIHost+"/arvados/v1/container_requests", bytes.NewReader(body.Bytes()))
541         c.Assert(err, check.IsNil)
542         req.Header.Set("Content-Type", "application/json")
543         err = ac2.DoAndDecode(&cr, req)
544         c.Check(err, check.IsNil)
545         c.Check(cr.UUID, check.Matches, "z2222-.*")
546
547         c.Log("...post with good cached token ('OAuth2 ...')")
548         cr = arvados.ContainerRequest{}
549         req, err = http.NewRequest("POST", "https://"+ac2.APIHost+"/arvados/v1/container_requests", bytes.NewReader(body.Bytes()))
550         c.Assert(err, check.IsNil)
551         req.Header.Set("Content-Type", "application/json")
552         req.Header.Set("Authorization", "OAuth2 "+ac2.AuthToken)
553         resp, err = arvados.InsecureHTTPClient.Do(req)
554         c.Assert(err, check.IsNil)
555         defer resp.Body.Close()
556         err = json.NewDecoder(resp.Body).Decode(&cr)
557         c.Check(err, check.IsNil)
558         c.Check(cr.UUID, check.Matches, "z2222-.*")
559 }
560
561 func (s *IntegrationSuite) TestCreateContainerRequestWithBadToken(c *check.C) {
562         conn1 := s.super.Conn("z1111")
563         rootctx1, _, _ := s.super.RootClients("z1111")
564         _, ac1, _, au := s.super.UserClients("z1111", rootctx1, c, conn1, "user@example.com", true)
565
566         tests := []struct {
567                 name         string
568                 token        string
569                 expectedCode int
570         }{
571                 {"Good token", ac1.AuthToken, http.StatusOK},
572                 {"Bogus token", "abcdef", http.StatusUnauthorized},
573                 {"v1-looking token", "badtoken00badtoken00badtoken00badtoken00b", http.StatusUnauthorized},
574                 {"v2-looking token", "v2/" + au.UUID + "/badtoken00badtoken00badtoken00badtoken00b", http.StatusUnauthorized},
575         }
576
577         body, _ := json.Marshal(map[string]interface{}{
578                 "container_request": map[string]interface{}{
579                         "command":         []string{"echo"},
580                         "container_image": "d41d8cd98f00b204e9800998ecf8427e+0",
581                         "cwd":             "/",
582                         "output_path":     "/",
583                 },
584         })
585
586         for _, tt := range tests {
587                 c.Log(c.TestName() + " " + tt.name)
588                 ac1.AuthToken = tt.token
589                 req, err := http.NewRequest("POST", "https://"+ac1.APIHost+"/arvados/v1/container_requests", bytes.NewReader(body))
590                 c.Assert(err, check.IsNil)
591                 req.Header.Set("Content-Type", "application/json")
592                 resp, err := ac1.Do(req)
593                 if c.Check(err, check.IsNil) {
594                         c.Assert(resp.StatusCode, check.Equals, tt.expectedCode)
595                         resp.Body.Close()
596                 }
597         }
598 }
599
600 func (s *IntegrationSuite) TestRequestIDHeader(c *check.C) {
601         conn1 := s.super.Conn("z1111")
602         rootctx1, _, _ := s.super.RootClients("z1111")
603         userctx1, ac1, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, "user@example.com", true)
604
605         coll, err := conn1.CollectionCreate(userctx1, arvados.CreateOptions{})
606         c.Check(err, check.IsNil)
607
608         tests := []struct {
609                 path            string
610                 reqIdProvided   bool
611                 notFoundRequest bool
612         }{
613                 {"/arvados/v1/collections", false, false},
614                 {"/arvados/v1/collections", true, false},
615                 {"/arvados/v1/nonexistant", false, true},
616                 {"/arvados/v1/nonexistant", true, true},
617                 {"/arvados/v1/collections/" + coll.UUID, false, false},
618                 {"/arvados/v1/collections/" + coll.UUID, true, false},
619                 // new code path (lib/controller/router etc) - single-cluster request
620                 {"/arvados/v1/collections/z1111-4zz18-0123456789abcde", false, true},
621                 {"/arvados/v1/collections/z1111-4zz18-0123456789abcde", true, true},
622                 // new code path (lib/controller/router etc) - federated request
623                 {"/arvados/v1/collections/z2222-4zz18-0123456789abcde", false, true},
624                 {"/arvados/v1/collections/z2222-4zz18-0123456789abcde", true, true},
625                 // old code path (proxyRailsAPI) - single-cluster request
626                 {"/arvados/v1/containers/z1111-dz642-0123456789abcde", false, true},
627                 {"/arvados/v1/containers/z1111-dz642-0123456789abcde", true, true},
628                 // old code path (setupProxyRemoteCluster) - federated request
629                 {"/arvados/v1/workflows/z2222-7fd4e-0123456789abcde", false, true},
630                 {"/arvados/v1/workflows/z2222-7fd4e-0123456789abcde", true, true},
631         }
632
633         for _, tt := range tests {
634                 c.Log(c.TestName() + " " + tt.path)
635                 req, err := http.NewRequest("GET", "https://"+ac1.APIHost+tt.path, nil)
636                 c.Assert(err, check.IsNil)
637                 customReqId := "abcdeG"
638                 if !tt.reqIdProvided {
639                         c.Assert(req.Header.Get("X-Request-Id"), check.Equals, "")
640                 } else {
641                         req.Header.Set("X-Request-Id", customReqId)
642                 }
643                 resp, err := ac1.Do(req)
644                 c.Assert(err, check.IsNil)
645                 if tt.notFoundRequest {
646                         c.Check(resp.StatusCode, check.Equals, http.StatusNotFound)
647                 } else {
648                         c.Check(resp.StatusCode, check.Equals, http.StatusOK)
649                 }
650                 respHdr := resp.Header.Get("X-Request-Id")
651                 if tt.reqIdProvided {
652                         c.Check(respHdr, check.Equals, customReqId)
653                 } else {
654                         c.Check(respHdr, check.Matches, `req-[0-9a-zA-Z]{20}`)
655                 }
656                 if tt.notFoundRequest {
657                         var jresp httpserver.ErrorResponse
658                         err := json.NewDecoder(resp.Body).Decode(&jresp)
659                         c.Check(err, check.IsNil)
660                         if c.Check(jresp.Errors, check.HasLen, 1) {
661                                 c.Check(jresp.Errors[0], check.Matches, `.*\(`+respHdr+`\).*`)
662                         }
663                 }
664                 resp.Body.Close()
665         }
666 }
667
668 // We test the direct access to the database
669 // normally an integration test would not have a database access, but in this case we need
670 // to test tokens that are secret, so there is no API response that will give them back
671 func (s *IntegrationSuite) dbConn(c *check.C, clusterID string) (*sql.DB, *sql.Conn) {
672         ctx := context.Background()
673         db, err := sql.Open("postgres", s.super.Cluster(clusterID).PostgreSQL.Connection.String())
674         c.Assert(err, check.IsNil)
675
676         conn, err := db.Conn(ctx)
677         c.Assert(err, check.IsNil)
678
679         rows, err := conn.ExecContext(ctx, `SELECT 1`)
680         c.Assert(err, check.IsNil)
681         n, err := rows.RowsAffected()
682         c.Assert(err, check.IsNil)
683         c.Assert(n, check.Equals, int64(1))
684         return db, conn
685 }
686
687 // TestRuntimeTokenInCR will test several different tokens in the runtime attribute
688 // and check the expected results accessing directly to the database if needed.
689 func (s *IntegrationSuite) TestRuntimeTokenInCR(c *check.C) {
690         db, dbconn := s.dbConn(c, "z1111")
691         defer db.Close()
692         defer dbconn.Close()
693         conn1 := s.super.Conn("z1111")
694         rootctx1, _, _ := s.super.RootClients("z1111")
695         userctx1, ac1, _, au := s.super.UserClients("z1111", rootctx1, c, conn1, "user@example.com", true)
696
697         tests := []struct {
698                 name                 string
699                 token                string
700                 expectAToGetAValidCR bool
701                 expectedToken        *string
702         }{
703                 {"Good token z1111 user", ac1.AuthToken, true, &ac1.AuthToken},
704                 {"Bogus token", "abcdef", false, nil},
705                 {"v1-looking token", "badtoken00badtoken00badtoken00badtoken00b", false, nil},
706                 {"v2-looking token", "v2/" + au.UUID + "/badtoken00badtoken00badtoken00badtoken00b", false, nil},
707         }
708
709         for _, tt := range tests {
710                 c.Log(c.TestName() + " " + tt.name)
711
712                 rq := map[string]interface{}{
713                         "command":         []string{"echo"},
714                         "container_image": "d41d8cd98f00b204e9800998ecf8427e+0",
715                         "cwd":             "/",
716                         "output_path":     "/",
717                         "runtime_token":   tt.token,
718                 }
719                 cr, err := conn1.ContainerRequestCreate(userctx1, arvados.CreateOptions{Attrs: rq})
720                 if tt.expectAToGetAValidCR {
721                         c.Check(err, check.IsNil)
722                         c.Check(cr, check.NotNil)
723                         c.Check(cr.UUID, check.Not(check.Equals), "")
724                 }
725
726                 if tt.expectedToken == nil {
727                         continue
728                 }
729
730                 c.Logf("cr.UUID: %s", cr.UUID)
731                 row := dbconn.QueryRowContext(rootctx1, `SELECT runtime_token from container_requests where uuid=$1`, cr.UUID)
732                 c.Check(row, check.NotNil)
733                 var token sql.NullString
734                 row.Scan(&token)
735                 if c.Check(token.Valid, check.Equals, true) {
736                         c.Check(token.String, check.Equals, *tt.expectedToken)
737                 }
738         }
739 }
740
741 // TestIntermediateCluster will send a container request to
742 // one cluster with another cluster as the destination
743 // and check the tokens are being handled properly
744 func (s *IntegrationSuite) TestIntermediateCluster(c *check.C) {
745         conn1 := s.super.Conn("z1111")
746         rootctx1, _, _ := s.super.RootClients("z1111")
747         uctx1, ac1, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, "user@example.com", true)
748
749         tests := []struct {
750                 name                 string
751                 token                string
752                 expectedRuntimeToken string
753                 expectedUUIDprefix   string
754         }{
755                 {"Good token z1111 user sending a CR to z2222", ac1.AuthToken, "", "z2222-xvhdp-"},
756         }
757
758         for _, tt := range tests {
759                 c.Log(c.TestName() + " " + tt.name)
760                 rq := map[string]interface{}{
761                         "command":         []string{"echo"},
762                         "container_image": "d41d8cd98f00b204e9800998ecf8427e+0",
763                         "cwd":             "/",
764                         "output_path":     "/",
765                         "runtime_token":   tt.token,
766                 }
767                 cr, err := conn1.ContainerRequestCreate(uctx1, arvados.CreateOptions{ClusterID: "z2222", Attrs: rq})
768
769                 c.Check(err, check.IsNil)
770                 c.Check(strings.HasPrefix(cr.UUID, tt.expectedUUIDprefix), check.Equals, true)
771                 c.Check(cr.RuntimeToken, check.Equals, tt.expectedRuntimeToken)
772         }
773 }
774
775 // Test for #17785
776 func (s *IntegrationSuite) TestFederatedApiClientAuthHandling(c *check.C) {
777         rootctx1, rootclnt1, _ := s.super.RootClients("z1111")
778         conn1 := s.super.Conn("z1111")
779
780         // Make sure LoginCluster is properly configured
781         for _, cls := range []string{"z1111", "z3333"} {
782                 c.Check(
783                         s.super.Cluster(cls).Login.LoginCluster,
784                         check.Equals, "z1111",
785                         check.Commentf("incorrect LoginCluster config on cluster %q", cls))
786         }
787         // Get user's UUID & attempt to create a token for it on the remote cluster
788         _, _, _, user := s.super.UserClients("z1111", rootctx1, c, conn1,
789                 "user@example.com", true)
790         _, rootclnt3, _ := s.super.ClientsWithToken("z3333", rootclnt1.AuthToken)
791         var resp arvados.APIClientAuthorization
792         err := rootclnt3.RequestAndDecode(
793                 &resp, "POST", "arvados/v1/api_client_authorizations", nil,
794                 map[string]interface{}{
795                         "api_client_authorization": map[string]string{
796                                 "owner_uuid": user.UUID,
797                         },
798                 },
799         )
800         c.Assert(err, check.IsNil)
801         c.Assert(resp.APIClientID, check.Not(check.Equals), 0)
802         newTok := resp.TokenV2()
803         c.Assert(newTok, check.Not(check.Equals), "")
804
805         // Confirm the token is from z1111
806         c.Assert(strings.HasPrefix(newTok, "v2/z1111-gj3su-"), check.Equals, true)
807
808         // Confirm the token works and is from the correct user
809         _, rootclnt3bis, _ := s.super.ClientsWithToken("z3333", newTok)
810         var curUser arvados.User
811         err = rootclnt3bis.RequestAndDecode(
812                 &curUser, "GET", "arvados/v1/users/current", nil, nil,
813         )
814         c.Assert(err, check.IsNil)
815         c.Assert(curUser.UUID, check.Equals, user.UUID)
816
817         // Request the ApiClientAuthorization list using the new token
818         _, userClient, _ := s.super.ClientsWithToken("z3333", newTok)
819         var acaLst arvados.APIClientAuthorizationList
820         err = userClient.RequestAndDecode(
821                 &acaLst, "GET", "arvados/v1/api_client_authorizations", nil, nil,
822         )
823         c.Assert(err, check.IsNil)
824 }
825
826 // Test for bug #18076
827 func (s *IntegrationSuite) TestStaleCachedUserRecord(c *check.C) {
828         rootctx1, _, _ := s.super.RootClients("z1111")
829         conn1 := s.super.Conn("z1111")
830         conn3 := s.super.Conn("z3333")
831
832         // Make sure LoginCluster is properly configured
833         for _, cls := range []string{"z1111", "z3333"} {
834                 c.Check(
835                         s.super.Cluster(cls).Login.LoginCluster,
836                         check.Equals, "z1111",
837                         check.Commentf("incorrect LoginCluster config on cluster %q", cls))
838         }
839
840         // Create some users, request them on the federated cluster so they're cached.
841         var users []arvados.User
842         for userNr := 0; userNr < 2; userNr++ {
843                 _, _, _, user := s.super.UserClients("z1111",
844                         rootctx1,
845                         c,
846                         conn1,
847                         fmt.Sprintf("user0%d@example.com", userNr),
848                         true)
849                 c.Assert(user.Username, check.Not(check.Equals), "")
850                 users = append(users, user)
851
852                 lst, err := conn3.UserList(rootctx1, arvados.ListOptions{Limit: -1})
853                 c.Assert(err, check.Equals, nil)
854                 userFound := false
855                 for _, fedUser := range lst.Items {
856                         if fedUser.UUID == user.UUID {
857                                 c.Assert(fedUser.Username, check.Equals, user.Username)
858                                 userFound = true
859                                 break
860                         }
861                 }
862                 c.Assert(userFound, check.Equals, true)
863         }
864
865         // Swap the usernames
866         _, err := conn1.UserUpdate(rootctx1, arvados.UpdateOptions{
867                 UUID: users[0].UUID,
868                 Attrs: map[string]interface{}{
869                         "username": "",
870                 },
871         })
872         c.Assert(err, check.Equals, nil)
873         _, err = conn1.UserUpdate(rootctx1, arvados.UpdateOptions{
874                 UUID: users[1].UUID,
875                 Attrs: map[string]interface{}{
876                         "username": users[0].Username,
877                 },
878         })
879         c.Assert(err, check.Equals, nil)
880         _, err = conn1.UserUpdate(rootctx1, arvados.UpdateOptions{
881                 UUID: users[0].UUID,
882                 Attrs: map[string]interface{}{
883                         "username": users[1].Username,
884                 },
885         })
886         c.Assert(err, check.Equals, nil)
887
888         // Re-request the list on the federated cluster & check for updates
889         lst, err := conn3.UserList(rootctx1, arvados.ListOptions{Limit: -1})
890         c.Assert(err, check.Equals, nil)
891         var user0Found, user1Found bool
892         for _, user := range lst.Items {
893                 if user.UUID == users[0].UUID {
894                         user0Found = true
895                         c.Assert(user.Username, check.Equals, users[1].Username)
896                 } else if user.UUID == users[1].UUID {
897                         user1Found = true
898                         c.Assert(user.Username, check.Equals, users[0].Username)
899                 }
900         }
901         c.Assert(user0Found, check.Equals, true)
902         c.Assert(user1Found, check.Equals, true)
903 }
904
905 // Test for bug #16263
906 func (s *IntegrationSuite) TestListUsers(c *check.C) {
907         rootctx1, _, _ := s.super.RootClients("z1111")
908         conn1 := s.super.Conn("z1111")
909         conn3 := s.super.Conn("z3333")
910         userctx1, _, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, s.oidcprovider.AuthEmail, true)
911
912         // Make sure LoginCluster is properly configured
913         for _, cls := range []string{"z1111", "z2222", "z3333"} {
914                 c.Check(
915                         s.super.Cluster(cls).Login.LoginCluster,
916                         check.Equals, "z1111",
917                         check.Commentf("incorrect LoginCluster config on cluster %q", cls))
918         }
919         // Make sure z1111 has users with NULL usernames
920         lst, err := conn1.UserList(rootctx1, arvados.ListOptions{
921                 Limit: math.MaxInt64, // check that large limit works (see #16263)
922         })
923         nullUsername := false
924         c.Assert(err, check.IsNil)
925         c.Assert(len(lst.Items), check.Not(check.Equals), 0)
926         for _, user := range lst.Items {
927                 if user.Username == "" {
928                         nullUsername = true
929                         break
930                 }
931         }
932         c.Assert(nullUsername, check.Equals, true)
933
934         user1, err := conn1.UserGetCurrent(userctx1, arvados.GetOptions{})
935         c.Assert(err, check.IsNil)
936         c.Check(user1.IsActive, check.Equals, true)
937
938         // Ask for the user list on z3333 using z1111's system root token
939         lst, err = conn3.UserList(rootctx1, arvados.ListOptions{Limit: -1})
940         c.Assert(err, check.IsNil)
941         found := false
942         for _, user := range lst.Items {
943                 if user.UUID == user1.UUID {
944                         c.Check(user.IsActive, check.Equals, true)
945                         found = true
946                         break
947                 }
948         }
949         c.Check(found, check.Equals, true)
950
951         // Deactivate user acct on z1111
952         _, err = conn1.UserUnsetup(rootctx1, arvados.GetOptions{UUID: user1.UUID})
953         c.Assert(err, check.IsNil)
954
955         // Get user list from z3333, check the returned z1111 user is
956         // deactivated
957         lst, err = conn3.UserList(rootctx1, arvados.ListOptions{Limit: -1})
958         c.Assert(err, check.IsNil)
959         found = false
960         for _, user := range lst.Items {
961                 if user.UUID == user1.UUID {
962                         c.Check(user.IsActive, check.Equals, false)
963                         found = true
964                         break
965                 }
966         }
967         c.Check(found, check.Equals, true)
968
969         // Deactivated user no longer has working token
970         user1, err = conn3.UserGetCurrent(userctx1, arvados.GetOptions{})
971         c.Assert(err, check.ErrorMatches, `.*401 Unauthorized.*`)
972 }
973
974 func (s *IntegrationSuite) TestSetupUserWithVM(c *check.C) {
975         conn1 := s.super.Conn("z1111")
976         conn3 := s.super.Conn("z3333")
977         rootctx1, rootac1, _ := s.super.RootClients("z1111")
978
979         // Create user on LoginCluster z1111
980         _, _, _, user := s.super.UserClients("z1111", rootctx1, c, conn1, s.oidcprovider.AuthEmail, true)
981
982         // Make a new root token (because rootClients() uses SystemRootToken)
983         var outAuth arvados.APIClientAuthorization
984         err := rootac1.RequestAndDecode(&outAuth, "POST", "/arvados/v1/api_client_authorizations", nil, nil)
985         c.Check(err, check.IsNil)
986
987         // Make a v2 root token to communicate with z3333
988         rootctx3, rootac3, _ := s.super.ClientsWithToken("z3333", outAuth.TokenV2())
989
990         // Create VM on z3333
991         var outVM arvados.VirtualMachine
992         err = rootac3.RequestAndDecode(&outVM, "POST", "/arvados/v1/virtual_machines", nil,
993                 map[string]interface{}{"virtual_machine": map[string]interface{}{
994                         "hostname": "example",
995                 },
996                 })
997         c.Assert(err, check.IsNil)
998         c.Check(outVM.UUID[0:5], check.Equals, "z3333")
999
1000         // Make sure z3333 user list is up to date
1001         _, err = conn3.UserList(rootctx3, arvados.ListOptions{Limit: 1000})
1002         c.Check(err, check.IsNil)
1003
1004         // Try to set up user on z3333 with the VM
1005         _, err = conn3.UserSetup(rootctx3, arvados.UserSetupOptions{UUID: user.UUID, VMUUID: outVM.UUID})
1006         c.Check(err, check.IsNil)
1007
1008         var outLinks arvados.LinkList
1009         err = rootac3.RequestAndDecode(&outLinks, "GET", "/arvados/v1/links", nil,
1010                 arvados.ListOptions{
1011                         Limit: 1000,
1012                         Filters: []arvados.Filter{
1013                                 {
1014                                         Attr:     "tail_uuid",
1015                                         Operator: "=",
1016                                         Operand:  user.UUID,
1017                                 },
1018                                 {
1019                                         Attr:     "head_uuid",
1020                                         Operator: "=",
1021                                         Operand:  outVM.UUID,
1022                                 },
1023                                 {
1024                                         Attr:     "name",
1025                                         Operator: "=",
1026                                         Operand:  "can_login",
1027                                 },
1028                                 {
1029                                         Attr:     "link_class",
1030                                         Operator: "=",
1031                                         Operand:  "permission",
1032                                 }}})
1033         c.Check(err, check.IsNil)
1034
1035         c.Check(len(outLinks.Items), check.Equals, 1)
1036 }
1037
1038 func (s *IntegrationSuite) TestOIDCAccessTokenAuth(c *check.C) {
1039         conn1 := s.super.Conn("z1111")
1040         rootctx1, _, _ := s.super.RootClients("z1111")
1041         s.super.UserClients("z1111", rootctx1, c, conn1, s.oidcprovider.AuthEmail, true)
1042
1043         accesstoken := s.oidcprovider.ValidAccessToken()
1044
1045         for _, clusterID := range []string{"z1111", "z2222"} {
1046
1047                 var coll arvados.Collection
1048
1049                 // Write some file data and create a collection
1050                 {
1051                         c.Logf("save collection to %s", clusterID)
1052
1053                         conn := s.super.Conn(clusterID)
1054                         ctx, ac, kc := s.super.ClientsWithToken(clusterID, accesstoken)
1055
1056                         fs, err := coll.FileSystem(ac, kc)
1057                         c.Assert(err, check.IsNil)
1058                         f, err := fs.OpenFile("test.txt", os.O_CREATE|os.O_RDWR, 0777)
1059                         c.Assert(err, check.IsNil)
1060                         _, err = io.WriteString(f, "IntegrationSuite.TestOIDCAccessTokenAuth")
1061                         c.Assert(err, check.IsNil)
1062                         err = f.Close()
1063                         c.Assert(err, check.IsNil)
1064                         mtxt, err := fs.MarshalManifest(".")
1065                         c.Assert(err, check.IsNil)
1066                         coll, err = conn.CollectionCreate(ctx, arvados.CreateOptions{Attrs: map[string]interface{}{
1067                                 "manifest_text": mtxt,
1068                         }})
1069                         c.Assert(err, check.IsNil)
1070                 }
1071
1072                 // Read the collection & file data -- both from the
1073                 // cluster where it was created, and from the other
1074                 // cluster.
1075                 for _, readClusterID := range []string{"z1111", "z2222", "z3333"} {
1076                         c.Logf("retrieve %s from %s", coll.UUID, readClusterID)
1077
1078                         conn := s.super.Conn(readClusterID)
1079                         ctx, ac, kc := s.super.ClientsWithToken(readClusterID, accesstoken)
1080
1081                         user, err := conn.UserGetCurrent(ctx, arvados.GetOptions{})
1082                         c.Assert(err, check.IsNil)
1083                         c.Check(user.FullName, check.Equals, "Example User")
1084                         readcoll, err := conn.CollectionGet(ctx, arvados.GetOptions{UUID: coll.UUID})
1085                         c.Assert(err, check.IsNil)
1086                         c.Check(readcoll.ManifestText, check.Not(check.Equals), "")
1087                         fs, err := readcoll.FileSystem(ac, kc)
1088                         c.Assert(err, check.IsNil)
1089                         f, err := fs.Open("test.txt")
1090                         c.Assert(err, check.IsNil)
1091                         buf, err := ioutil.ReadAll(f)
1092                         c.Assert(err, check.IsNil)
1093                         c.Check(buf, check.DeepEquals, []byte("IntegrationSuite.TestOIDCAccessTokenAuth"))
1094                 }
1095         }
1096 }
1097
1098 // z3333 should not forward a locally-issued container runtime token,
1099 // associated with a z1111 user, to its login cluster z1111. z1111
1100 // would only call back to z3333 and then reject the response because
1101 // the user ID does not match the token prefix. See
1102 // dev.arvados.org/issues/18346
1103 func (s *IntegrationSuite) TestForwardRuntimeTokenToLoginCluster(c *check.C) {
1104         db3, db3conn := s.dbConn(c, "z3333")
1105         defer db3.Close()
1106         defer db3conn.Close()
1107         rootctx1, _, _ := s.super.RootClients("z1111")
1108         rootctx3, _, _ := s.super.RootClients("z3333")
1109         conn1 := s.super.Conn("z1111")
1110         conn3 := s.super.Conn("z3333")
1111         userctx1, _, _, _ := s.super.UserClients("z1111", rootctx1, c, conn1, "user@example.com", true)
1112
1113         user1, err := conn1.UserGetCurrent(userctx1, arvados.GetOptions{})
1114         c.Assert(err, check.IsNil)
1115         c.Logf("user1 %+v", user1)
1116
1117         imageColl, err := conn3.CollectionCreate(userctx1, arvados.CreateOptions{Attrs: map[string]interface{}{
1118                 "manifest_text": ". d41d8cd98f00b204e9800998ecf8427e+0 0:0:sha256:e3b0c44298fc1c149afbf4c8996fb92427ae41e4649b934ca495991b7852b855.tar\n",
1119         }})
1120         c.Assert(err, check.IsNil)
1121         c.Logf("imageColl %+v", imageColl)
1122
1123         cr, err := conn3.ContainerRequestCreate(userctx1, arvados.CreateOptions{Attrs: map[string]interface{}{
1124                 "state":           "Committed",
1125                 "command":         []string{"echo"},
1126                 "container_image": imageColl.PortableDataHash,
1127                 "cwd":             "/",
1128                 "output_path":     "/",
1129                 "priority":        1,
1130                 "runtime_constraints": arvados.RuntimeConstraints{
1131                         VCPUs: 1,
1132                         RAM:   1000000000,
1133                 },
1134         }})
1135         c.Assert(err, check.IsNil)
1136         c.Logf("container request %+v", cr)
1137         ctr, err := conn3.ContainerLock(rootctx3, arvados.GetOptions{UUID: cr.ContainerUUID})
1138         c.Assert(err, check.IsNil)
1139         c.Logf("container %+v", ctr)
1140
1141         // We could use conn3.ContainerAuth() here, but that API
1142         // hasn't been added to sdk/go/arvados/api.go yet.
1143         row := db3conn.QueryRowContext(context.Background(), `SELECT api_token from api_client_authorizations where uuid=$1`, ctr.AuthUUID)
1144         c.Check(row, check.NotNil)
1145         var val sql.NullString
1146         row.Scan(&val)
1147         c.Assert(val.Valid, check.Equals, true)
1148         runtimeToken := "v2/" + ctr.AuthUUID + "/" + val.String
1149         ctrctx, _, _ := s.super.ClientsWithToken("z3333", runtimeToken)
1150         c.Logf("container runtime token %+v", runtimeToken)
1151
1152         _, err = conn3.UserGet(ctrctx, arvados.GetOptions{UUID: user1.UUID})
1153         c.Assert(err, check.NotNil)
1154         c.Check(err, check.ErrorMatches, `request failed: .* 401 Unauthorized: cannot use a locally issued token to forward a request to our login cluster \(z1111\)`)
1155         c.Check(err, check.Not(check.ErrorMatches), `(?ms).*127\.0\.0\.11.*`)
1156 }
1157
1158 func (s *IntegrationSuite) TestRunTrivialContainer(c *check.C) {
1159         outcoll, _ := s.runContainer(c, "z1111", "", map[string]interface{}{
1160                 "command":             []string{"sh", "-c", "touch \"/out/hello world\" /out/ohai"},
1161                 "container_image":     "busybox:uclibc",
1162                 "cwd":                 "/tmp",
1163                 "environment":         map[string]string{},
1164                 "mounts":              map[string]arvados.Mount{"/out": {Kind: "tmp", Capacity: 10000}},
1165                 "output_path":         "/out",
1166                 "runtime_constraints": arvados.RuntimeConstraints{RAM: 100000000, VCPUs: 1, KeepCacheRAM: 1 << 26},
1167                 "priority":            1,
1168                 "state":               arvados.ContainerRequestStateCommitted,
1169         }, 0)
1170         c.Check(outcoll.ManifestText, check.Matches, `\. d41d8.* 0:0:hello\\040world 0:0:ohai\n`)
1171         c.Check(outcoll.PortableDataHash, check.Equals, "8fa5dee9231a724d7cf377c5a2f4907c+65")
1172 }
1173
1174 func (s *IntegrationSuite) TestContainerInputOnDifferentCluster(c *check.C) {
1175         conn := s.super.Conn("z1111")
1176         rootctx, _, _ := s.super.RootClients("z1111")
1177         userctx, ac, _, _ := s.super.UserClients("z1111", rootctx, c, conn, s.oidcprovider.AuthEmail, true)
1178         z1coll, err := conn.CollectionCreate(userctx, arvados.CreateOptions{Attrs: map[string]interface{}{
1179                 "manifest_text": ". d41d8cd98f00b204e9800998ecf8427e+0 0:0:ocelot\n",
1180         }})
1181         c.Assert(err, check.IsNil)
1182
1183         outcoll, logcfs := s.runContainer(c, "z2222", ac.AuthToken, map[string]interface{}{
1184                 "command":         []string{"ls", "/in"},
1185                 "container_image": "busybox:uclibc",
1186                 "cwd":             "/tmp",
1187                 "environment":     map[string]string{},
1188                 "mounts": map[string]arvados.Mount{
1189                         "/in":  {Kind: "collection", PortableDataHash: z1coll.PortableDataHash},
1190                         "/out": {Kind: "tmp", Capacity: 10000},
1191                 },
1192                 "output_path":         "/out",
1193                 "runtime_constraints": arvados.RuntimeConstraints{RAM: 100000000, VCPUs: 1, KeepCacheRAM: 1 << 26},
1194                 "priority":            1,
1195                 "state":               arvados.ContainerRequestStateCommitted,
1196                 "container_count_max": 1,
1197         }, -1)
1198         if outcoll.UUID == "" {
1199                 arvmountlog, err := fs.ReadFile(arvados.FS(logcfs), "/arv-mount.txt")
1200                 c.Check(err, check.IsNil)
1201                 c.Check(string(arvmountlog), check.Matches, `(?ms).*cannot use a locally issued token to forward a request to our login cluster \(z1111\).*`)
1202                 c.Skip("this use case is not supported yet")
1203         }
1204         stdout, err := fs.ReadFile(arvados.FS(logcfs), "/stdout.txt")
1205         c.Check(err, check.IsNil)
1206         c.Check(string(stdout), check.Equals, "ocelot\n")
1207 }
1208
1209 func (s *IntegrationSuite) runContainer(c *check.C, clusterID string, token string, ctrSpec map[string]interface{}, expectExitCode int) (outcoll arvados.Collection, logcfs arvados.CollectionFileSystem) {
1210         conn := s.super.Conn(clusterID)
1211         rootctx, _, _ := s.super.RootClients(clusterID)
1212         if token == "" {
1213                 _, ac, _, _ := s.super.UserClients(clusterID, rootctx, c, conn, s.oidcprovider.AuthEmail, true)
1214                 token = ac.AuthToken
1215         }
1216         _, ac, kc := s.super.ClientsWithToken(clusterID, token)
1217
1218         c.Log("[docker load]")
1219         out, err := exec.Command("docker", "load", "--input", arvadostest.BusyboxDockerImage(c)).CombinedOutput()
1220         c.Logf("[docker load output] %s", out)
1221         c.Check(err, check.IsNil)
1222
1223         c.Log("[arv-keepdocker]")
1224         akd := exec.Command("arv-keepdocker", "--no-resume", "busybox:uclibc")
1225         akd.Env = append(os.Environ(), "ARVADOS_API_HOST="+ac.APIHost, "ARVADOS_API_HOST_INSECURE=1", "ARVADOS_API_TOKEN="+ac.AuthToken)
1226         out, err = akd.CombinedOutput()
1227         c.Logf("[arv-keepdocker output]\n%s", out)
1228         c.Check(err, check.IsNil)
1229
1230         var cr arvados.ContainerRequest
1231         err = ac.RequestAndDecode(&cr, "POST", "/arvados/v1/container_requests", nil, map[string]interface{}{
1232                 "container_request": ctrSpec,
1233         })
1234         c.Assert(err, check.IsNil)
1235
1236         showlogs := func(collectionID string) arvados.CollectionFileSystem {
1237                 var logcoll arvados.Collection
1238                 err = ac.RequestAndDecode(&logcoll, "GET", "/arvados/v1/collections/"+collectionID, nil, nil)
1239                 c.Assert(err, check.IsNil)
1240                 cfs, err := logcoll.FileSystem(ac, kc)
1241                 c.Assert(err, check.IsNil)
1242                 fs.WalkDir(arvados.FS(cfs), "/", func(path string, d fs.DirEntry, err error) error {
1243                         if d.IsDir() || strings.HasPrefix(path, "/log for container") {
1244                                 return nil
1245                         }
1246                         f, err := cfs.Open(path)
1247                         c.Assert(err, check.IsNil)
1248                         defer f.Close()
1249                         buf, err := ioutil.ReadAll(f)
1250                         c.Assert(err, check.IsNil)
1251                         c.Logf("=== %s\n%s\n", path, buf)
1252                         return nil
1253                 })
1254                 return cfs
1255         }
1256
1257         checkwebdavlogs := func(cr arvados.ContainerRequest) {
1258                 req, err := http.NewRequest("OPTIONS", "https://"+ac.APIHost+"/arvados/v1/container_requests/"+cr.UUID+"/log/"+cr.ContainerUUID+"/", nil)
1259                 c.Assert(err, check.IsNil)
1260                 req.Header.Set("Origin", "http://example.example")
1261                 resp, err := ac.Do(req)
1262                 c.Assert(err, check.IsNil)
1263                 c.Check(resp.StatusCode, check.Equals, http.StatusOK)
1264                 // Check for duplicate headers -- must use Header[], not Header.Get()
1265                 c.Check(resp.Header["Access-Control-Allow-Origin"], check.DeepEquals, []string{"*"})
1266         }
1267
1268         var ctr arvados.Container
1269         var lastState arvados.ContainerState
1270         var status, lastStatus arvados.ContainerStatus
1271         var allStatus string
1272         checkstatus := func() {
1273                 err := ac.RequestAndDecode(&status, "GET", "/arvados/v1/container_requests/"+cr.UUID+"/container_status", nil, nil)
1274                 c.Assert(err, check.IsNil)
1275                 if status != lastStatus {
1276                         c.Logf("container status: %s, %s", status.State, status.SchedulingStatus)
1277                         allStatus += fmt.Sprintf("%s, %s\n", status.State, status.SchedulingStatus)
1278                         lastStatus = status
1279                 }
1280         }
1281         deadline := time.Now().Add(time.Minute)
1282         for cr.State != arvados.ContainerRequestStateFinal || (lastStatus.State != arvados.ContainerStateComplete && lastStatus.State != arvados.ContainerStateCancelled) {
1283                 err = ac.RequestAndDecode(&cr, "GET", "/arvados/v1/container_requests/"+cr.UUID, nil, nil)
1284                 c.Assert(err, check.IsNil)
1285                 checkstatus()
1286                 err = ac.RequestAndDecode(&ctr, "GET", "/arvados/v1/containers/"+cr.ContainerUUID, nil, nil)
1287                 if err != nil {
1288                         c.Logf("error getting container state: %s", err)
1289                 } else if ctr.State != lastState {
1290                         c.Logf("container state changed to %q", ctr.State)
1291                         lastState = ctr.State
1292                 } else {
1293                         if time.Now().After(deadline) {
1294                                 c.Errorf("timed out, container state is %q", cr.State)
1295                                 if ctr.Log == "" {
1296                                         c.Logf("=== NO LOG COLLECTION saved for container")
1297                                 } else {
1298                                         showlogs(ctr.Log)
1299                                 }
1300                                 c.FailNow()
1301                         }
1302                         time.Sleep(time.Second / 2)
1303                 }
1304         }
1305         checkstatus()
1306         c.Logf("cr.CumulativeCost == %f", cr.CumulativeCost)
1307         c.Check(cr.CumulativeCost, check.Not(check.Equals), 0.0)
1308         if expectExitCode >= 0 {
1309                 c.Check(ctr.State, check.Equals, arvados.ContainerStateComplete)
1310                 c.Check(ctr.ExitCode, check.Equals, expectExitCode)
1311                 err = ac.RequestAndDecode(&outcoll, "GET", "/arvados/v1/collections/"+cr.OutputUUID, nil, nil)
1312                 c.Assert(err, check.IsNil)
1313                 c.Check(allStatus, check.Matches, `Queued, waiting for dispatch\n`+
1314                         // Occasionally the dispatcher will
1315                         // unlock/retry, and we get state/status from
1316                         // database/dispatcher via separate API calls,
1317                         // so we can also see "Queued, preparing
1318                         // runtime environment".
1319                         `((Queued|Locked), (waiting .*|preparing runtime environment)\n)*`+
1320                         `(Running, \n)?`+
1321                         `Complete, \n`)
1322         }
1323         logcfs = showlogs(cr.LogUUID)
1324         checkwebdavlogs(cr)
1325         return outcoll, logcfs
1326 }