11308: Futurize stage2.
[arvados.git] / sdk / python / arvados / api.py
1 from __future__ import absolute_import
2 from future import standard_library
3 standard_library.install_aliases()
4 from builtins import range
5 import collections
6 import http.client
7 import httplib2
8 import json
9 import logging
10 import os
11 import re
12 import socket
13 import time
14 import types
15
16 import apiclient
17 from apiclient import discovery as apiclient_discovery
18 from apiclient import errors as apiclient_errors
19 from . import config
20 from . import errors
21 from . import util
22 from . import cache
23
24 _logger = logging.getLogger('arvados.api')
25
26 MAX_IDLE_CONNECTION_DURATION = 30
27 RETRY_DELAY_INITIAL = 2
28 RETRY_DELAY_BACKOFF = 2
29 RETRY_COUNT = 2
30
31 class OrderedJsonModel(apiclient.model.JsonModel):
32     """Model class for JSON that preserves the contents' order.
33
34     API clients that care about preserving the order of fields in API
35     server responses can use this model to do so, like this::
36
37         from arvados.api import OrderedJsonModel
38         client = arvados.api('v1', ..., model=OrderedJsonModel())
39     """
40
41     def deserialize(self, content):
42         # This is a very slightly modified version of the parent class'
43         # implementation.  Copyright (c) 2010 Google.
44         content = content.decode('utf-8')
45         body = json.loads(content, object_pairs_hook=collections.OrderedDict)
46         if self._data_wrapper and isinstance(body, dict) and 'data' in body:
47             body = body['data']
48         return body
49
50
51 def _intercept_http_request(self, uri, **kwargs):
52     if (self.max_request_size and
53         kwargs.get('body') and
54         self.max_request_size < len(kwargs['body'])):
55         raise apiclient_errors.MediaUploadSizeError("Request size %i bytes exceeds published limit of %i bytes" % (len(kwargs['body']), self.max_request_size))
56
57     if 'headers' not in kwargs:
58         kwargs['headers'] = {}
59
60     if config.get("ARVADOS_EXTERNAL_CLIENT", "") == "true":
61         kwargs['headers']['X-External-Client'] = '1'
62
63     kwargs['headers']['Authorization'] = 'OAuth2 %s' % self.arvados_api_token
64
65     retryable = kwargs.get('method', 'GET') in [
66         'DELETE', 'GET', 'HEAD', 'OPTIONS', 'PUT']
67     retry_count = self._retry_count if retryable else 0
68
69     if (not retryable and
70         time.time() - self._last_request_time > self._max_keepalive_idle):
71         # High probability of failure due to connection atrophy. Make
72         # sure this request [re]opens a new connection by closing and
73         # forgetting all cached connections first.
74         for conn in self.connections.values():
75             conn.close()
76         self.connections.clear()
77
78     delay = self._retry_delay_initial
79     for _ in range(retry_count):
80         self._last_request_time = time.time()
81         try:
82             return self.orig_http_request(uri, **kwargs)
83         except http.client.HTTPException:
84             _logger.debug("Retrying API request in %d s after HTTP error",
85                           delay, exc_info=True)
86         except socket.error:
87             # This is the one case where httplib2 doesn't close the
88             # underlying connection first.  Close all open
89             # connections, expecting this object only has the one
90             # connection to the API server.  This is safe because
91             # httplib2 reopens connections when needed.
92             _logger.debug("Retrying API request in %d s after socket error",
93                           delay, exc_info=True)
94             for conn in self.connections.values():
95                 conn.close()
96         time.sleep(delay)
97         delay = delay * self._retry_delay_backoff
98
99     self._last_request_time = time.time()
100     return self.orig_http_request(uri, **kwargs)
101
102 def _patch_http_request(http, api_token):
103     http.arvados_api_token = api_token
104     http.max_request_size = 0
105     http.orig_http_request = http.request
106     http.request = types.MethodType(_intercept_http_request, http)
107     http._last_request_time = 0
108     http._max_keepalive_idle = MAX_IDLE_CONNECTION_DURATION
109     http._retry_delay_initial = RETRY_DELAY_INITIAL
110     http._retry_delay_backoff = RETRY_DELAY_BACKOFF
111     http._retry_count = RETRY_COUNT
112     return http
113
114 # Monkey patch discovery._cast() so objects and arrays get serialized
115 # with json.dumps() instead of str().
116 _cast_orig = apiclient_discovery._cast
117 def _cast_objects_too(value, schema_type):
118     global _cast_orig
119     if (type(value) != type('') and
120         (schema_type == 'object' or schema_type == 'array')):
121         return json.dumps(value)
122     else:
123         return _cast_orig(value, schema_type)
124 apiclient_discovery._cast = _cast_objects_too
125
126 # Convert apiclient's HttpErrors into our own API error subclass for better
127 # error reporting.
128 # Reassigning apiclient_errors.HttpError is not sufficient because most of the
129 # apiclient submodules import the class into their own namespace.
130 def _new_http_error(cls, *args, **kwargs):
131     return super(apiclient_errors.HttpError, cls).__new__(
132         errors.ApiError, *args, **kwargs)
133 apiclient_errors.HttpError.__new__ = staticmethod(_new_http_error)
134
135 def http_cache(data_type):
136     homedir = os.environ.get('HOME')
137     if not homedir or len(homedir) == 0:
138         return None
139     path = homedir + '/.cache/arvados/' + data_type
140     try:
141         util.mkdir_dash_p(path)
142     except OSError:
143         return None
144     return cache.SafeHTTPCache(path, max_age=60*60*24*2)
145
146 def api(version=None, cache=True, host=None, token=None, insecure=False, **kwargs):
147     """Return an apiclient Resources object for an Arvados instance.
148
149     :version:
150       A string naming the version of the Arvados API to use (for
151       example, 'v1').
152
153     :cache:
154       Use a cache (~/.cache/arvados/discovery) for the discovery
155       document.
156
157     :host:
158       The Arvados API server host (and optional :port) to connect to.
159
160     :token:
161       The authentication token to send with each API call.
162
163     :insecure:
164       If True, ignore SSL certificate validation errors.
165
166     Additional keyword arguments will be passed directly to
167     `apiclient_discovery.build` if a new Resource object is created.
168     If the `discoveryServiceUrl` or `http` keyword arguments are
169     missing, this function will set default values for them, based on
170     the current Arvados configuration settings.
171
172     """
173
174     if not version:
175         version = 'v1'
176         _logger.info("Using default API version. " +
177                      "Call arvados.api('%s') instead." %
178                      version)
179     if 'discoveryServiceUrl' in kwargs:
180         if host:
181             raise ValueError("both discoveryServiceUrl and host provided")
182         # Here we can't use a token from environment, config file,
183         # etc. Those probably have nothing to do with the host
184         # provided by the caller.
185         if not token:
186             raise ValueError("discoveryServiceUrl provided, but token missing")
187     elif host and token:
188         pass
189     elif not host and not token:
190         return api_from_config(version=version, cache=cache, **kwargs)
191     else:
192         # Caller provided one but not the other
193         if not host:
194             raise ValueError("token argument provided, but host missing.")
195         else:
196             raise ValueError("host argument provided, but token missing.")
197
198     if host:
199         # Caller wants us to build the discoveryServiceUrl
200         kwargs['discoveryServiceUrl'] = (
201             'https://%s/discovery/v1/apis/{api}/{apiVersion}/rest' % (host,))
202
203     if 'http' not in kwargs:
204         http_kwargs = {'ca_certs': util.ca_certs_path()}
205         if cache:
206             http_kwargs['cache'] = http_cache('discovery')
207         if insecure:
208             http_kwargs['disable_ssl_certificate_validation'] = True
209         kwargs['http'] = httplib2.Http(**http_kwargs)
210
211     kwargs['http'] = _patch_http_request(kwargs['http'], token)
212
213     svc = apiclient_discovery.build('arvados', version, cache_discovery=False, **kwargs)
214     svc.api_token = token
215     svc.insecure = insecure
216     kwargs['http'].max_request_size = svc._rootDesc.get('maxRequestSize', 0)
217     kwargs['http'].cache = None
218     return svc
219
220 def api_from_config(version=None, apiconfig=None, **kwargs):
221     """Return an apiclient Resources object enabling access to an Arvados server
222     instance.
223
224     :version:
225       A string naming the version of the Arvados REST API to use (for
226       example, 'v1').
227
228     :apiconfig:
229       If provided, this should be a dict-like object (must support the get()
230       method) with entries for ARVADOS_API_HOST, ARVADOS_API_TOKEN, and
231       optionally ARVADOS_API_HOST_INSECURE.  If not provided, use
232       arvados.config (which gets these parameters from the environment by
233       default.)
234
235     Other keyword arguments such as `cache` will be passed along `api()`
236
237     """
238     # Load from user configuration or environment
239     if apiconfig is None:
240         apiconfig = config.settings()
241
242     for x in ['ARVADOS_API_HOST', 'ARVADOS_API_TOKEN']:
243         if x not in apiconfig:
244             raise ValueError("%s is not set. Aborting." % x)
245     host = apiconfig.get('ARVADOS_API_HOST')
246     token = apiconfig.get('ARVADOS_API_TOKEN')
247     insecure = config.flag_is_true('ARVADOS_API_HOST_INSECURE', apiconfig)
248
249     return api(version=version, host=host, token=token, insecure=insecure, **kwargs)