Merge branch '8784-dir-listings'
[arvados.git] / sdk / go / arvadosclient / arvadosclient.go
1 // Copyright (C) The Arvados Authors. All rights reserved.
2 //
3 // SPDX-License-Identifier: Apache-2.0
4
5 /* Simple Arvados Go SDK for communicating with API server. */
6
7 package arvadosclient
8
9 import (
10         "bytes"
11         "crypto/tls"
12         "crypto/x509"
13         "encoding/json"
14         "errors"
15         "fmt"
16         "io"
17         "io/ioutil"
18         "log"
19         "net/http"
20         "net/url"
21         "os"
22         "regexp"
23         "strings"
24         "sync"
25         "time"
26
27         "git.curoverse.com/arvados.git/sdk/go/arvados"
28 )
29
30 type StringMatcher func(string) bool
31
32 var UUIDMatch StringMatcher = regexp.MustCompile(`^[a-z0-9]{5}-[a-z0-9]{5}-[a-z0-9]{15}$`).MatchString
33 var PDHMatch StringMatcher = regexp.MustCompile(`^[0-9a-f]{32}\+\d+$`).MatchString
34
35 var MissingArvadosApiHost = errors.New("Missing required environment variable ARVADOS_API_HOST")
36 var MissingArvadosApiToken = errors.New("Missing required environment variable ARVADOS_API_TOKEN")
37 var ErrInvalidArgument = errors.New("Invalid argument")
38
39 // A common failure mode is to reuse a keepalive connection that has been
40 // terminated (in a way that we can't detect) for being idle too long.
41 // POST and DELETE are not safe to retry automatically, so we minimize
42 // such failures by always using a new or recently active socket.
43 var MaxIdleConnectionDuration = 30 * time.Second
44
45 var RetryDelay = 2 * time.Second
46
47 var (
48         defaultInsecureHTTPClient *http.Client
49         defaultSecureHTTPClient   *http.Client
50         defaultHTTPClientMtx      sync.Mutex
51 )
52
53 // Indicates an error that was returned by the API server.
54 type APIServerError struct {
55         // Address of server returning error, of the form "host:port".
56         ServerAddress string
57
58         // Components of server response.
59         HttpStatusCode    int
60         HttpStatusMessage string
61
62         // Additional error details from response body.
63         ErrorDetails []string
64 }
65
66 func (e APIServerError) Error() string {
67         if len(e.ErrorDetails) > 0 {
68                 return fmt.Sprintf("arvados API server error: %s (%d: %s) returned by %s",
69                         strings.Join(e.ErrorDetails, "; "),
70                         e.HttpStatusCode,
71                         e.HttpStatusMessage,
72                         e.ServerAddress)
73         } else {
74                 return fmt.Sprintf("arvados API server error: %d: %s returned by %s",
75                         e.HttpStatusCode,
76                         e.HttpStatusMessage,
77                         e.ServerAddress)
78         }
79 }
80
81 // StringBool tests whether s is suggestive of true. It returns true
82 // if s is a mixed/uppoer/lower-case variant of "1", "yes", or "true".
83 func StringBool(s string) bool {
84         s = strings.ToLower(s)
85         return s == "1" || s == "yes" || s == "true"
86 }
87
88 // Helper type so we don't have to write out 'map[string]interface{}' every time.
89 type Dict map[string]interface{}
90
91 // Information about how to contact the Arvados server
92 type ArvadosClient struct {
93         // https
94         Scheme string
95
96         // Arvados API server, form "host:port"
97         ApiServer string
98
99         // Arvados API token for authentication
100         ApiToken string
101
102         // Whether to require a valid SSL certificate or not
103         ApiInsecure bool
104
105         // Client object shared by client requests.  Supports HTTP KeepAlive.
106         Client *http.Client
107
108         // If true, sets the X-External-Client header to indicate
109         // the client is outside the cluster.
110         External bool
111
112         // Base URIs of Keep services, e.g., {"https://host1:8443",
113         // "https://host2:8443"}.  If this is nil, Keep clients will
114         // use the arvados.v1.keep_services.accessible API to discover
115         // available services.
116         KeepServiceURIs []string
117
118         // Discovery document
119         DiscoveryDoc Dict
120
121         lastClosedIdlesAt time.Time
122
123         // Number of retries
124         Retries int
125 }
126
127 var CertFiles = []string{
128         "/etc/arvados/ca-certificates.crt",
129         "/etc/ssl/certs/ca-certificates.crt", // Debian/Ubuntu/Gentoo etc.
130         "/etc/pki/tls/certs/ca-bundle.crt",   // Fedora/RHEL
131 }
132
133 // MakeTLSConfig sets up TLS configuration for communicating with
134 // Arvados and Keep services.
135 func MakeTLSConfig(insecure bool) *tls.Config {
136         tlsconfig := tls.Config{InsecureSkipVerify: insecure}
137
138         if !insecure {
139                 // Use the first entry in CertFiles that we can read
140                 // certificates from. If none of those work out, use
141                 // the Go defaults.
142                 certs := x509.NewCertPool()
143                 for _, file := range CertFiles {
144                         data, err := ioutil.ReadFile(file)
145                         if err != nil {
146                                 if !os.IsNotExist(err) {
147                                         log.Printf("error reading %q: %s", file, err)
148                                 }
149                                 continue
150                         }
151                         if !certs.AppendCertsFromPEM(data) {
152                                 log.Printf("unable to load any certificates from %v", file)
153                                 continue
154                         }
155                         tlsconfig.RootCAs = certs
156                         break
157                 }
158         }
159
160         return &tlsconfig
161 }
162
163 // New returns an ArvadosClient using the given arvados.Client
164 // configuration. This is useful for callers who load arvados.Client
165 // fields from configuration files but still need to use the
166 // arvadosclient.ArvadosClient package.
167 func New(c *arvados.Client) (*ArvadosClient, error) {
168         ac := &ArvadosClient{
169                 Scheme:      "https",
170                 ApiServer:   c.APIHost,
171                 ApiToken:    c.AuthToken,
172                 ApiInsecure: c.Insecure,
173                 Client: &http.Client{Transport: &http.Transport{
174                         TLSClientConfig: MakeTLSConfig(c.Insecure)}},
175                 External:          false,
176                 Retries:           2,
177                 KeepServiceURIs:   c.KeepServiceURIs,
178                 lastClosedIdlesAt: time.Now(),
179         }
180
181         return ac, nil
182 }
183
184 // MakeArvadosClient creates a new ArvadosClient using the standard
185 // environment variables ARVADOS_API_HOST, ARVADOS_API_TOKEN,
186 // ARVADOS_API_HOST_INSECURE, ARVADOS_EXTERNAL_CLIENT, and
187 // ARVADOS_KEEP_SERVICES.
188 func MakeArvadosClient() (ac *ArvadosClient, err error) {
189         ac, err = New(arvados.NewClientFromEnv())
190         if err != nil {
191                 return
192         }
193         ac.External = StringBool(os.Getenv("ARVADOS_EXTERNAL_CLIENT"))
194         return
195 }
196
197 // CallRaw is the same as Call() but returns a Reader that reads the
198 // response body, instead of taking an output object.
199 func (c *ArvadosClient) CallRaw(method string, resourceType string, uuid string, action string, parameters Dict) (reader io.ReadCloser, err error) {
200         scheme := c.Scheme
201         if scheme == "" {
202                 scheme = "https"
203         }
204         u := url.URL{
205                 Scheme: scheme,
206                 Host:   c.ApiServer}
207
208         if resourceType != API_DISCOVERY_RESOURCE {
209                 u.Path = "/arvados/v1"
210         }
211
212         if resourceType != "" {
213                 u.Path = u.Path + "/" + resourceType
214         }
215         if uuid != "" {
216                 u.Path = u.Path + "/" + uuid
217         }
218         if action != "" {
219                 u.Path = u.Path + "/" + action
220         }
221
222         if parameters == nil {
223                 parameters = make(Dict)
224         }
225
226         vals := make(url.Values)
227         for k, v := range parameters {
228                 if s, ok := v.(string); ok {
229                         vals.Set(k, s)
230                 } else if m, err := json.Marshal(v); err == nil {
231                         vals.Set(k, string(m))
232                 }
233         }
234
235         retryable := false
236         switch method {
237         case "GET", "HEAD", "PUT", "OPTIONS", "DELETE":
238                 retryable = true
239         }
240
241         // Non-retryable methods such as POST are not safe to retry automatically,
242         // so we minimize such failures by always using a new or recently active socket
243         if !retryable {
244                 if time.Since(c.lastClosedIdlesAt) > MaxIdleConnectionDuration {
245                         c.lastClosedIdlesAt = time.Now()
246                         c.Client.Transport.(*http.Transport).CloseIdleConnections()
247                 }
248         }
249
250         // Make the request
251         var req *http.Request
252         var resp *http.Response
253
254         for attempt := 0; attempt <= c.Retries; attempt++ {
255                 if method == "GET" || method == "HEAD" {
256                         u.RawQuery = vals.Encode()
257                         if req, err = http.NewRequest(method, u.String(), nil); err != nil {
258                                 return nil, err
259                         }
260                 } else {
261                         if req, err = http.NewRequest(method, u.String(), bytes.NewBufferString(vals.Encode())); err != nil {
262                                 return nil, err
263                         }
264                         req.Header.Add("Content-Type", "application/x-www-form-urlencoded")
265                 }
266
267                 // Add api token header
268                 req.Header.Add("Authorization", fmt.Sprintf("OAuth2 %s", c.ApiToken))
269                 if c.External {
270                         req.Header.Add("X-External-Client", "1")
271                 }
272
273                 resp, err = c.Client.Do(req)
274                 if err != nil {
275                         if retryable {
276                                 time.Sleep(RetryDelay)
277                                 continue
278                         } else {
279                                 return nil, err
280                         }
281                 }
282
283                 if resp.StatusCode == http.StatusOK {
284                         return resp.Body, nil
285                 }
286
287                 defer resp.Body.Close()
288
289                 switch resp.StatusCode {
290                 case 408, 409, 422, 423, 500, 502, 503, 504:
291                         time.Sleep(RetryDelay)
292                         continue
293                 default:
294                         return nil, newAPIServerError(c.ApiServer, resp)
295                 }
296         }
297
298         if resp != nil {
299                 return nil, newAPIServerError(c.ApiServer, resp)
300         }
301         return nil, err
302 }
303
304 func newAPIServerError(ServerAddress string, resp *http.Response) APIServerError {
305
306         ase := APIServerError{
307                 ServerAddress:     ServerAddress,
308                 HttpStatusCode:    resp.StatusCode,
309                 HttpStatusMessage: resp.Status}
310
311         // If the response body has {"errors":["reason1","reason2"]}
312         // then return those reasons.
313         var errInfo = Dict{}
314         if err := json.NewDecoder(resp.Body).Decode(&errInfo); err == nil {
315                 if errorList, ok := errInfo["errors"]; ok {
316                         if errArray, ok := errorList.([]interface{}); ok {
317                                 for _, errItem := range errArray {
318                                         // We expect an array of strings here.
319                                         // Non-strings will be passed along
320                                         // JSON-encoded.
321                                         if s, ok := errItem.(string); ok {
322                                                 ase.ErrorDetails = append(ase.ErrorDetails, s)
323                                         } else if j, err := json.Marshal(errItem); err == nil {
324                                                 ase.ErrorDetails = append(ase.ErrorDetails, string(j))
325                                         }
326                                 }
327                         }
328                 }
329         }
330         return ase
331 }
332
333 // Call an API endpoint and parse the JSON response into an object.
334 //
335 //   method - HTTP method: GET, HEAD, PUT, POST, PATCH or DELETE.
336 //   resourceType - the type of arvados resource to act on (e.g., "collections", "pipeline_instances").
337 //   uuid - the uuid of the specific item to access. May be empty.
338 //   action - API method name (e.g., "lock"). This is often empty if implied by method and uuid.
339 //   parameters - method parameters.
340 //   output - a map or annotated struct which is a legal target for encoding/json/Decoder.
341 //
342 // Returns a non-nil error if an error occurs making the API call, the
343 // API responds with a non-successful HTTP status, or an error occurs
344 // parsing the response body.
345 func (c *ArvadosClient) Call(method, resourceType, uuid, action string, parameters Dict, output interface{}) error {
346         reader, err := c.CallRaw(method, resourceType, uuid, action, parameters)
347         if reader != nil {
348                 defer reader.Close()
349         }
350         if err != nil {
351                 return err
352         }
353
354         if output != nil {
355                 dec := json.NewDecoder(reader)
356                 if err = dec.Decode(output); err != nil {
357                         return err
358                 }
359         }
360         return nil
361 }
362
363 // Create a new resource. See Call for argument descriptions.
364 func (c *ArvadosClient) Create(resourceType string, parameters Dict, output interface{}) error {
365         return c.Call("POST", resourceType, "", "", parameters, output)
366 }
367
368 // Delete a resource. See Call for argument descriptions.
369 func (c *ArvadosClient) Delete(resource string, uuid string, parameters Dict, output interface{}) (err error) {
370         return c.Call("DELETE", resource, uuid, "", parameters, output)
371 }
372
373 // Modify attributes of a resource. See Call for argument descriptions.
374 func (c *ArvadosClient) Update(resourceType string, uuid string, parameters Dict, output interface{}) (err error) {
375         return c.Call("PUT", resourceType, uuid, "", parameters, output)
376 }
377
378 // Get a resource. See Call for argument descriptions.
379 func (c *ArvadosClient) Get(resourceType string, uuid string, parameters Dict, output interface{}) (err error) {
380         if !UUIDMatch(uuid) && !(resourceType == "collections" && PDHMatch(uuid)) {
381                 // No object has uuid == "": there is no need to make
382                 // an API call. Furthermore, the HTTP request for such
383                 // an API call would be "GET /arvados/v1/type/", which
384                 // is liable to be misinterpreted as the List API.
385                 return ErrInvalidArgument
386         }
387         return c.Call("GET", resourceType, uuid, "", parameters, output)
388 }
389
390 // List resources of a given type. See Call for argument descriptions.
391 func (c *ArvadosClient) List(resource string, parameters Dict, output interface{}) (err error) {
392         return c.Call("GET", resource, "", "", parameters, output)
393 }
394
395 const API_DISCOVERY_RESOURCE = "discovery/v1/apis/arvados/v1/rest"
396
397 // Discovery returns the value of the given parameter in the discovery
398 // document. Returns a non-nil error if the discovery document cannot
399 // be retrieved/decoded. Returns ErrInvalidArgument if the requested
400 // parameter is not found in the discovery document.
401 func (c *ArvadosClient) Discovery(parameter string) (value interface{}, err error) {
402         if len(c.DiscoveryDoc) == 0 {
403                 c.DiscoveryDoc = make(Dict)
404                 err = c.Call("GET", API_DISCOVERY_RESOURCE, "", "", nil, &c.DiscoveryDoc)
405                 if err != nil {
406                         return nil, err
407                 }
408         }
409
410         var found bool
411         value, found = c.DiscoveryDoc[parameter]
412         if found {
413                 return value, nil
414         } else {
415                 return value, ErrInvalidArgument
416         }
417 }
418
419 func (ac *ArvadosClient) httpClient() *http.Client {
420         if ac.Client != nil {
421                 return ac.Client
422         }
423         c := &defaultSecureHTTPClient
424         if ac.ApiInsecure {
425                 c = &defaultInsecureHTTPClient
426         }
427         if *c == nil {
428                 defaultHTTPClientMtx.Lock()
429                 defer defaultHTTPClientMtx.Unlock()
430                 *c = &http.Client{Transport: &http.Transport{
431                         TLSClientConfig: MakeTLSConfig(ac.ApiInsecure)}}
432         }
433         return *c
434 }