16306: Move nginx temp dirs into a subdir.
[arvados.git] / sdk / go / keepclient / keepclient.go
1 // Copyright (C) The Arvados Authors. All rights reserved.
2 //
3 // SPDX-License-Identifier: Apache-2.0
4
5 /* Provides low-level Get/Put primitives for accessing Arvados Keep blocks. */
6 package keepclient
7
8 import (
9         "bytes"
10         "crypto/md5"
11         "errors"
12         "fmt"
13         "io"
14         "io/ioutil"
15         "net"
16         "net/http"
17         "regexp"
18         "strconv"
19         "strings"
20         "sync"
21         "time"
22
23         "git.arvados.org/arvados.git/sdk/go/arvadosclient"
24         "git.arvados.org/arvados.git/sdk/go/asyncbuf"
25         "git.arvados.org/arvados.git/sdk/go/httpserver"
26 )
27
28 // A Keep "block" is 64MB.
29 const BLOCKSIZE = 64 * 1024 * 1024
30
31 var (
32         DefaultRequestTimeout      = 20 * time.Second
33         DefaultConnectTimeout      = 2 * time.Second
34         DefaultTLSHandshakeTimeout = 4 * time.Second
35         DefaultKeepAlive           = 180 * time.Second
36
37         DefaultProxyRequestTimeout      = 300 * time.Second
38         DefaultProxyConnectTimeout      = 30 * time.Second
39         DefaultProxyTLSHandshakeTimeout = 10 * time.Second
40         DefaultProxyKeepAlive           = 120 * time.Second
41 )
42
43 // Error interface with an error and boolean indicating whether the error is temporary
44 type Error interface {
45         error
46         Temporary() bool
47 }
48
49 // multipleResponseError is of type Error
50 type multipleResponseError struct {
51         error
52         isTemp bool
53 }
54
55 func (e *multipleResponseError) Temporary() bool {
56         return e.isTemp
57 }
58
59 // BlockNotFound is a multipleResponseError where isTemp is false
60 var BlockNotFound = &ErrNotFound{multipleResponseError{
61         error:  errors.New("Block not found"),
62         isTemp: false,
63 }}
64
65 // ErrNotFound is a multipleResponseError where isTemp can be true or false
66 type ErrNotFound struct {
67         multipleResponseError
68 }
69
70 type InsufficientReplicasError error
71
72 type OversizeBlockError error
73
74 var ErrOversizeBlock = OversizeBlockError(errors.New("Exceeded maximum block size (" + strconv.Itoa(BLOCKSIZE) + ")"))
75 var MissingArvadosApiHost = errors.New("Missing required environment variable ARVADOS_API_HOST")
76 var MissingArvadosApiToken = errors.New("Missing required environment variable ARVADOS_API_TOKEN")
77 var InvalidLocatorError = errors.New("Invalid locator")
78
79 // ErrNoSuchKeepServer is returned when GetIndex is invoked with a UUID with no matching keep server
80 var ErrNoSuchKeepServer = errors.New("No keep server matching the given UUID is found")
81
82 // ErrIncompleteIndex is returned when the Index response does not end with a new empty line
83 var ErrIncompleteIndex = errors.New("Got incomplete index")
84
85 const X_Keep_Desired_Replicas = "X-Keep-Desired-Replicas"
86 const X_Keep_Replicas_Stored = "X-Keep-Replicas-Stored"
87
88 type HTTPClient interface {
89         Do(*http.Request) (*http.Response, error)
90 }
91
92 // Information about Arvados and Keep servers.
93 type KeepClient struct {
94         Arvados            *arvadosclient.ArvadosClient
95         Want_replicas      int
96         localRoots         map[string]string
97         writableLocalRoots map[string]string
98         gatewayRoots       map[string]string
99         lock               sync.RWMutex
100         HTTPClient         HTTPClient
101         Retries            int
102         BlockCache         *BlockCache
103         RequestID          string
104         StorageClasses     []string
105
106         // set to 1 if all writable services are of disk type, otherwise 0
107         replicasPerService int
108
109         // Any non-disk typed services found in the list of keepservers?
110         foundNonDiskSvc bool
111
112         // Disable automatic discovery of keep services
113         disableDiscovery bool
114 }
115
116 // MakeKeepClient creates a new KeepClient, calls
117 // DiscoverKeepServices(), and returns when the client is ready to
118 // use.
119 func MakeKeepClient(arv *arvadosclient.ArvadosClient) (*KeepClient, error) {
120         kc := New(arv)
121         return kc, kc.discoverServices()
122 }
123
124 // New creates a new KeepClient. Service discovery will occur on the
125 // next read/write operation.
126 func New(arv *arvadosclient.ArvadosClient) *KeepClient {
127         defaultReplicationLevel := 2
128         value, err := arv.Discovery("defaultCollectionReplication")
129         if err == nil {
130                 v, ok := value.(float64)
131                 if ok && v > 0 {
132                         defaultReplicationLevel = int(v)
133                 }
134         }
135         return &KeepClient{
136                 Arvados:       arv,
137                 Want_replicas: defaultReplicationLevel,
138                 Retries:       2,
139         }
140 }
141
142 // Put a block given the block hash, a reader, and the number of bytes
143 // to read from the reader (which must be between 0 and BLOCKSIZE).
144 //
145 // Returns the locator for the written block, the number of replicas
146 // written, and an error.
147 //
148 // Returns an InsufficientReplicasError if 0 <= replicas <
149 // kc.Wants_replicas.
150 func (kc *KeepClient) PutHR(hash string, r io.Reader, dataBytes int64) (string, int, error) {
151         // Buffer for reads from 'r'
152         var bufsize int
153         if dataBytes > 0 {
154                 if dataBytes > BLOCKSIZE {
155                         return "", 0, ErrOversizeBlock
156                 }
157                 bufsize = int(dataBytes)
158         } else {
159                 bufsize = BLOCKSIZE
160         }
161
162         buf := asyncbuf.NewBuffer(make([]byte, 0, bufsize))
163         go func() {
164                 _, err := io.Copy(buf, HashCheckingReader{r, md5.New(), hash})
165                 buf.CloseWithError(err)
166         }()
167         return kc.putReplicas(hash, buf.NewReader, dataBytes)
168 }
169
170 // PutHB writes a block to Keep. The hash of the bytes is given in
171 // hash, and the data is given in buf.
172 //
173 // Return values are the same as for PutHR.
174 func (kc *KeepClient) PutHB(hash string, buf []byte) (string, int, error) {
175         newReader := func() io.Reader { return bytes.NewBuffer(buf) }
176         return kc.putReplicas(hash, newReader, int64(len(buf)))
177 }
178
179 // PutB writes a block to Keep. It computes the hash itself.
180 //
181 // Return values are the same as for PutHR.
182 func (kc *KeepClient) PutB(buffer []byte) (string, int, error) {
183         hash := fmt.Sprintf("%x", md5.Sum(buffer))
184         return kc.PutHB(hash, buffer)
185 }
186
187 // PutR writes a block to Keep. It first reads all data from r into a buffer
188 // in order to compute the hash.
189 //
190 // Return values are the same as for PutHR.
191 //
192 // If the block hash and data size are known, PutHR is more efficient.
193 func (kc *KeepClient) PutR(r io.Reader) (locator string, replicas int, err error) {
194         if buffer, err := ioutil.ReadAll(r); err != nil {
195                 return "", 0, err
196         } else {
197                 return kc.PutB(buffer)
198         }
199 }
200
201 func (kc *KeepClient) getOrHead(method string, locator string, header http.Header) (io.ReadCloser, int64, string, http.Header, error) {
202         if strings.HasPrefix(locator, "d41d8cd98f00b204e9800998ecf8427e+0") {
203                 return ioutil.NopCloser(bytes.NewReader(nil)), 0, "", nil, nil
204         }
205
206         reqid := kc.getRequestID()
207
208         var expectLength int64
209         if parts := strings.SplitN(locator, "+", 3); len(parts) < 2 {
210                 expectLength = -1
211         } else if n, err := strconv.ParseInt(parts[1], 10, 64); err != nil {
212                 expectLength = -1
213         } else {
214                 expectLength = n
215         }
216
217         var errs []string
218
219         tries_remaining := 1 + kc.Retries
220
221         serversToTry := kc.getSortedRoots(locator)
222
223         numServers := len(serversToTry)
224         count404 := 0
225
226         var retryList []string
227
228         for tries_remaining > 0 {
229                 tries_remaining -= 1
230                 retryList = nil
231
232                 for _, host := range serversToTry {
233                         url := host + "/" + locator
234
235                         req, err := http.NewRequest(method, url, nil)
236                         if err != nil {
237                                 errs = append(errs, fmt.Sprintf("%s: %v", url, err))
238                                 continue
239                         }
240                         for k, v := range header {
241                                 req.Header[k] = append([]string(nil), v...)
242                         }
243                         if req.Header.Get("Authorization") == "" {
244                                 req.Header.Set("Authorization", "OAuth2 "+kc.Arvados.ApiToken)
245                         }
246                         if req.Header.Get("X-Request-Id") == "" {
247                                 req.Header.Set("X-Request-Id", reqid)
248                         }
249                         resp, err := kc.httpClient().Do(req)
250                         if err != nil {
251                                 // Probably a network error, may be transient,
252                                 // can try again.
253                                 errs = append(errs, fmt.Sprintf("%s: %v", url, err))
254                                 retryList = append(retryList, host)
255                                 continue
256                         }
257                         if resp.StatusCode != http.StatusOK {
258                                 var respbody []byte
259                                 respbody, _ = ioutil.ReadAll(&io.LimitedReader{R: resp.Body, N: 4096})
260                                 resp.Body.Close()
261                                 errs = append(errs, fmt.Sprintf("%s: HTTP %d %q",
262                                         url, resp.StatusCode, bytes.TrimSpace(respbody)))
263
264                                 if resp.StatusCode == 408 ||
265                                         resp.StatusCode == 429 ||
266                                         resp.StatusCode >= 500 {
267                                         // Timeout, too many requests, or other
268                                         // server side failure, transient
269                                         // error, can try again.
270                                         retryList = append(retryList, host)
271                                 } else if resp.StatusCode == 404 {
272                                         count404++
273                                 }
274                                 continue
275                         }
276                         if expectLength < 0 {
277                                 if resp.ContentLength < 0 {
278                                         resp.Body.Close()
279                                         return nil, 0, "", nil, fmt.Errorf("error reading %q: no size hint, no Content-Length header in response", locator)
280                                 }
281                                 expectLength = resp.ContentLength
282                         } else if resp.ContentLength >= 0 && expectLength != resp.ContentLength {
283                                 resp.Body.Close()
284                                 return nil, 0, "", nil, fmt.Errorf("error reading %q: size hint %d != Content-Length %d", locator, expectLength, resp.ContentLength)
285                         }
286                         // Success
287                         if method == "GET" {
288                                 return HashCheckingReader{
289                                         Reader: resp.Body,
290                                         Hash:   md5.New(),
291                                         Check:  locator[0:32],
292                                 }, expectLength, url, resp.Header, nil
293                         } else {
294                                 resp.Body.Close()
295                                 return nil, expectLength, url, resp.Header, nil
296                         }
297                 }
298                 serversToTry = retryList
299         }
300         DebugPrintf("DEBUG: %s %s failed: %v", method, locator, errs)
301
302         var err error
303         if count404 == numServers {
304                 err = BlockNotFound
305         } else {
306                 err = &ErrNotFound{multipleResponseError{
307                         error:  fmt.Errorf("%s %s failed: %v", method, locator, errs),
308                         isTemp: len(serversToTry) > 0,
309                 }}
310         }
311         return nil, 0, "", nil, err
312 }
313
314 // LocalLocator returns a locator equivalent to the one supplied, but
315 // with a valid signature from the local cluster. If the given locator
316 // already has a local signature, it is returned unchanged.
317 func (kc *KeepClient) LocalLocator(locator string) (string, error) {
318         if !strings.Contains(locator, "+R") {
319                 // Either it has +A, or it's unsigned and we assume
320                 // it's a local locator on a site with signatures
321                 // disabled.
322                 return locator, nil
323         }
324         sighdr := fmt.Sprintf("local, time=%s", time.Now().UTC().Format(time.RFC3339))
325         _, _, url, hdr, err := kc.getOrHead("HEAD", locator, http.Header{"X-Keep-Signature": []string{sighdr}})
326         if err != nil {
327                 return "", err
328         }
329         loc := hdr.Get("X-Keep-Locator")
330         if loc == "" {
331                 return "", fmt.Errorf("missing X-Keep-Locator header in HEAD response from %s", url)
332         }
333         return loc, nil
334 }
335
336 // Get() retrieves a block, given a locator. Returns a reader, the
337 // expected data length, the URL the block is being fetched from, and
338 // an error.
339 //
340 // If the block checksum does not match, the final Read() on the
341 // reader returned by this method will return a BadChecksum error
342 // instead of EOF.
343 func (kc *KeepClient) Get(locator string) (io.ReadCloser, int64, string, error) {
344         rdr, size, url, _, err := kc.getOrHead("GET", locator, nil)
345         return rdr, size, url, err
346 }
347
348 // ReadAt() retrieves a portion of block from the cache if it's
349 // present, otherwise from the network.
350 func (kc *KeepClient) ReadAt(locator string, p []byte, off int) (int, error) {
351         return kc.cache().ReadAt(kc, locator, p, off)
352 }
353
354 // Ask() verifies that a block with the given hash is available and
355 // readable, according to at least one Keep service. Unlike Get, it
356 // does not retrieve the data or verify that the data content matches
357 // the hash specified by the locator.
358 //
359 // Returns the data size (content length) reported by the Keep service
360 // and the URI reporting the data size.
361 func (kc *KeepClient) Ask(locator string) (int64, string, error) {
362         _, size, url, _, err := kc.getOrHead("HEAD", locator, nil)
363         return size, url, err
364 }
365
366 // GetIndex retrieves a list of blocks stored on the given server whose hashes
367 // begin with the given prefix. The returned reader will return an error (other
368 // than EOF) if the complete index cannot be retrieved.
369 //
370 // This is meant to be used only by system components and admin tools.
371 // It will return an error unless the client is using a "data manager token"
372 // recognized by the Keep services.
373 func (kc *KeepClient) GetIndex(keepServiceUUID, prefix string) (io.Reader, error) {
374         url := kc.LocalRoots()[keepServiceUUID]
375         if url == "" {
376                 return nil, ErrNoSuchKeepServer
377         }
378
379         url += "/index"
380         if prefix != "" {
381                 url += "/" + prefix
382         }
383
384         req, err := http.NewRequest("GET", url, nil)
385         if err != nil {
386                 return nil, err
387         }
388
389         req.Header.Add("Authorization", "OAuth2 "+kc.Arvados.ApiToken)
390         req.Header.Set("X-Request-Id", kc.getRequestID())
391         resp, err := kc.httpClient().Do(req)
392         if err != nil {
393                 return nil, err
394         }
395
396         defer resp.Body.Close()
397
398         if resp.StatusCode != http.StatusOK {
399                 return nil, fmt.Errorf("Got http status code: %d", resp.StatusCode)
400         }
401
402         var respBody []byte
403         respBody, err = ioutil.ReadAll(resp.Body)
404         if err != nil {
405                 return nil, err
406         }
407
408         // Got index; verify that it is complete
409         // The response should be "\n" if no locators matched the prefix
410         // Else, it should be a list of locators followed by a blank line
411         if !bytes.Equal(respBody, []byte("\n")) && !bytes.HasSuffix(respBody, []byte("\n\n")) {
412                 return nil, ErrIncompleteIndex
413         }
414
415         // Got complete index; strip the trailing newline and send
416         return bytes.NewReader(respBody[0 : len(respBody)-1]), nil
417 }
418
419 // LocalRoots() returns the map of local (i.e., disk and proxy) Keep
420 // services: uuid -> baseURI.
421 func (kc *KeepClient) LocalRoots() map[string]string {
422         kc.discoverServices()
423         kc.lock.RLock()
424         defer kc.lock.RUnlock()
425         return kc.localRoots
426 }
427
428 // GatewayRoots() returns the map of Keep remote gateway services:
429 // uuid -> baseURI.
430 func (kc *KeepClient) GatewayRoots() map[string]string {
431         kc.discoverServices()
432         kc.lock.RLock()
433         defer kc.lock.RUnlock()
434         return kc.gatewayRoots
435 }
436
437 // WritableLocalRoots() returns the map of writable local Keep services:
438 // uuid -> baseURI.
439 func (kc *KeepClient) WritableLocalRoots() map[string]string {
440         kc.discoverServices()
441         kc.lock.RLock()
442         defer kc.lock.RUnlock()
443         return kc.writableLocalRoots
444 }
445
446 // SetServiceRoots disables service discovery and updates the
447 // localRoots and gatewayRoots maps, without disrupting operations
448 // that are already in progress.
449 //
450 // The supplied maps must not be modified after calling
451 // SetServiceRoots.
452 func (kc *KeepClient) SetServiceRoots(locals, writables, gateways map[string]string) {
453         kc.disableDiscovery = true
454         kc.setServiceRoots(locals, writables, gateways)
455 }
456
457 func (kc *KeepClient) setServiceRoots(locals, writables, gateways map[string]string) {
458         kc.lock.Lock()
459         defer kc.lock.Unlock()
460         kc.localRoots = locals
461         kc.writableLocalRoots = writables
462         kc.gatewayRoots = gateways
463 }
464
465 // getSortedRoots returns a list of base URIs of Keep services, in the
466 // order they should be attempted in order to retrieve content for the
467 // given locator.
468 func (kc *KeepClient) getSortedRoots(locator string) []string {
469         var found []string
470         for _, hint := range strings.Split(locator, "+") {
471                 if len(hint) < 7 || hint[0:2] != "K@" {
472                         // Not a service hint.
473                         continue
474                 }
475                 if len(hint) == 7 {
476                         // +K@abcde means fetch from proxy at
477                         // keep.abcde.arvadosapi.com
478                         found = append(found, "https://keep."+hint[2:]+".arvadosapi.com")
479                 } else if len(hint) == 29 {
480                         // +K@abcde-abcde-abcdeabcdeabcde means fetch
481                         // from gateway with given uuid
482                         if gwURI, ok := kc.GatewayRoots()[hint[2:]]; ok {
483                                 found = append(found, gwURI)
484                         }
485                         // else this hint is no use to us; carry on.
486                 }
487         }
488         // After trying all usable service hints, fall back to local roots.
489         found = append(found, NewRootSorter(kc.LocalRoots(), locator[0:32]).GetSortedRoots()...)
490         return found
491 }
492
493 func (kc *KeepClient) cache() *BlockCache {
494         if kc.BlockCache != nil {
495                 return kc.BlockCache
496         } else {
497                 return DefaultBlockCache
498         }
499 }
500
501 func (kc *KeepClient) ClearBlockCache() {
502         kc.cache().Clear()
503 }
504
505 var (
506         // There are four global http.Client objects for the four
507         // possible permutations of TLS behavior (verify/skip-verify)
508         // and timeout settings (proxy/non-proxy).
509         defaultClient = map[bool]map[bool]HTTPClient{
510                 // defaultClient[false] is used for verified TLS reqs
511                 false: {},
512                 // defaultClient[true] is used for unverified
513                 // (insecure) TLS reqs
514                 true: {},
515         }
516         defaultClientMtx sync.Mutex
517 )
518
519 // httpClient returns the HTTPClient field if it's not nil, otherwise
520 // whichever of the four global http.Client objects is suitable for
521 // the current environment (i.e., TLS verification on/off, keep
522 // services are/aren't proxies).
523 func (kc *KeepClient) httpClient() HTTPClient {
524         if kc.HTTPClient != nil {
525                 return kc.HTTPClient
526         }
527         defaultClientMtx.Lock()
528         defer defaultClientMtx.Unlock()
529         if c, ok := defaultClient[kc.Arvados.ApiInsecure][kc.foundNonDiskSvc]; ok {
530                 return c
531         }
532
533         var requestTimeout, connectTimeout, keepAlive, tlsTimeout time.Duration
534         if kc.foundNonDiskSvc {
535                 // Use longer timeouts when connecting to a proxy,
536                 // because this usually means the intervening network
537                 // is slower.
538                 requestTimeout = DefaultProxyRequestTimeout
539                 connectTimeout = DefaultProxyConnectTimeout
540                 tlsTimeout = DefaultProxyTLSHandshakeTimeout
541                 keepAlive = DefaultProxyKeepAlive
542         } else {
543                 requestTimeout = DefaultRequestTimeout
544                 connectTimeout = DefaultConnectTimeout
545                 tlsTimeout = DefaultTLSHandshakeTimeout
546                 keepAlive = DefaultKeepAlive
547         }
548
549         c := &http.Client{
550                 Timeout: requestTimeout,
551                 // It's not safe to copy *http.DefaultTransport
552                 // because it has a mutex (which might be locked)
553                 // protecting a private map (which might not be nil).
554                 // So we build our own, using the Go 1.12 default
555                 // values, ignoring any changes the application has
556                 // made to http.DefaultTransport.
557                 Transport: &http.Transport{
558                         DialContext: (&net.Dialer{
559                                 Timeout:   connectTimeout,
560                                 KeepAlive: keepAlive,
561                                 DualStack: true,
562                         }).DialContext,
563                         MaxIdleConns:          100,
564                         IdleConnTimeout:       90 * time.Second,
565                         TLSHandshakeTimeout:   tlsTimeout,
566                         ExpectContinueTimeout: 1 * time.Second,
567                         TLSClientConfig:       arvadosclient.MakeTLSConfig(kc.Arvados.ApiInsecure),
568                 },
569         }
570         defaultClient[kc.Arvados.ApiInsecure][kc.foundNonDiskSvc] = c
571         return c
572 }
573
574 var reqIDGen = httpserver.IDGenerator{Prefix: "req-"}
575
576 func (kc *KeepClient) getRequestID() string {
577         if kc.RequestID != "" {
578                 return kc.RequestID
579         } else {
580                 return reqIDGen.Next()
581         }
582 }
583
584 type Locator struct {
585         Hash  string
586         Size  int      // -1 if data size is not known
587         Hints []string // Including the size hint, if any
588 }
589
590 func (loc *Locator) String() string {
591         s := loc.Hash
592         if len(loc.Hints) > 0 {
593                 s = s + "+" + strings.Join(loc.Hints, "+")
594         }
595         return s
596 }
597
598 var locatorMatcher = regexp.MustCompile("^([0-9a-f]{32})([+](.*))?$")
599
600 func MakeLocator(path string) (*Locator, error) {
601         sm := locatorMatcher.FindStringSubmatch(path)
602         if sm == nil {
603                 return nil, InvalidLocatorError
604         }
605         loc := Locator{Hash: sm[1], Size: -1}
606         if sm[2] != "" {
607                 loc.Hints = strings.Split(sm[3], "+")
608         } else {
609                 loc.Hints = []string{}
610         }
611         if len(loc.Hints) > 0 {
612                 if size, err := strconv.Atoi(loc.Hints[0]); err == nil {
613                         loc.Size = size
614                 }
615         }
616         return &loc, nil
617 }