Merge branch '8784-dir-listings'
[arvados.git] / apps / workbench / app / models / arvados_api_client.rb
1 # Copyright (C) The Arvados Authors. All rights reserved.
2 #
3 # SPDX-License-Identifier: AGPL-3.0
4
5 require 'httpclient'
6 require 'thread'
7
8 class ArvadosApiClient
9   class ApiError < StandardError
10     attr_reader :api_response, :api_response_s, :api_status, :request_url
11
12     def initialize(request_url, errmsg)
13       @request_url = request_url
14       @api_response ||= {}
15       errors = @api_response[:errors]
16       if not errors.is_a?(Array)
17         @api_response[:errors] = [errors || errmsg]
18       end
19       super(errmsg)
20     end
21   end
22
23   class NoApiResponseException < ApiError
24     def initialize(request_url, exception)
25       @api_response_s = exception.to_s
26       super(request_url,
27             "#{exception.class.to_s} error connecting to API server")
28     end
29   end
30
31   class InvalidApiResponseException < ApiError
32     def initialize(request_url, api_response)
33       @api_status = api_response.status_code
34       @api_response_s = api_response.content
35       super(request_url, "Unparseable response from API server")
36     end
37   end
38
39   class ApiErrorResponseException < ApiError
40     def initialize(request_url, api_response)
41       @api_status = api_response.status_code
42       @api_response_s = api_response.content
43       @api_response = Oj.load(@api_response_s, :symbol_keys => true)
44       errors = @api_response[:errors]
45       if errors.respond_to?(:join)
46         errors = errors.join("\n\n")
47       else
48         errors = errors.to_s
49       end
50       super(request_url, "#{errors} [API: #{@api_status}]")
51     end
52   end
53
54   class AccessForbiddenException < ApiErrorResponseException; end
55   class NotFoundException < ApiErrorResponseException; end
56   class NotLoggedInException < ApiErrorResponseException; end
57
58   ERROR_CODE_CLASSES = {
59     401 => NotLoggedInException,
60     403 => AccessForbiddenException,
61     404 => NotFoundException,
62   }
63
64   @@profiling_enabled = Rails.configuration.profiling_enabled
65   @@discovery = nil
66
67   # An API client object suitable for handling API requests on behalf
68   # of the current thread.
69   def self.new_or_current
70     # If this thread doesn't have an API client yet, *or* this model
71     # has been reloaded since the existing client was created, create
72     # a new client. Otherwise, keep using the latest client created in
73     # the current thread.
74     unless Thread.current[:arvados_api_client].andand.class == self
75       Thread.current[:arvados_api_client] = new
76     end
77     Thread.current[:arvados_api_client]
78   end
79
80   def initialize *args
81     @api_client = nil
82     @client_mtx = Mutex.new
83   end
84
85   def api(resources_kind, action, data=nil, tokens={})
86
87     profile_checkpoint
88
89     if not @api_client
90       @client_mtx.synchronize do
91         @api_client = HTTPClient.new
92         @api_client.ssl_config.timeout = Rails.configuration.api_client_connect_timeout
93         @api_client.connect_timeout = Rails.configuration.api_client_connect_timeout
94         @api_client.receive_timeout = Rails.configuration.api_client_receive_timeout
95         if Rails.configuration.arvados_insecure_https
96           @api_client.ssl_config.verify_mode = OpenSSL::SSL::VERIFY_NONE
97         else
98           # Use system CA certificates
99           ["/etc/ssl/certs/ca-certificates.crt",
100            "/etc/pki/tls/certs/ca-bundle.crt"]
101             .select { |ca_path| File.readable?(ca_path) }
102             .each { |ca_path| @api_client.ssl_config.add_trust_ca(ca_path) }
103         end
104         if Rails.configuration.api_response_compression
105           @api_client.transparent_gzip_decompression = true
106         end
107       end
108     end
109
110     resources_kind = class_kind(resources_kind).pluralize if resources_kind.is_a? Class
111     url = "#{self.arvados_v1_base}/#{resources_kind}#{action}"
112
113     # Clean up /arvados/v1/../../discovery/v1 to /discovery/v1
114     url.sub! '/arvados/v1/../../', '/'
115
116     query = {
117       'api_token' => (tokens[:arvados_api_token] ||
118                       Thread.current[:arvados_api_token] ||
119                       ''),
120       'reader_tokens' => ((tokens[:reader_tokens] ||
121                            Thread.current[:reader_tokens] ||
122                            []) +
123                           [Rails.configuration.anonymous_user_token]).to_json,
124       'current_request_id' => (Thread.current[:current_request_id] || ''),
125     }
126     if !data.nil?
127       data.each do |k,v|
128         if v.is_a? String or v.nil?
129           query[k] = v
130         elsif v == true
131           query[k] = 1
132         elsif v == false
133           query[k] = 0
134         else
135           query[k] = Oj.dump(v, mode: :compat)
136         end
137       end
138     else
139       query["_method"] = "GET"
140     end
141
142     if @@profiling_enabled
143       query["_profile"] = "true"
144     end
145
146     header = {"Accept" => "application/json"}
147
148     profile_checkpoint { "Prepare request #{query["_method"] or "POST"} #{url} #{query[:uuid]} #{query.inspect[0,256]}" }
149     msg = @client_mtx.synchronize do
150       begin
151         @api_client.post(url, query, header: header)
152       rescue => exception
153         raise NoApiResponseException.new(url, exception)
154       end
155     end
156     profile_checkpoint 'API transaction'
157     if @@profiling_enabled
158       if msg.headers['X-Runtime']
159         Rails.logger.info "API server: #{msg.headers['X-Runtime']} runtime reported"
160       end
161       Rails.logger.info "Content-Encoding #{msg.headers['Content-Encoding'].inspect}, Content-Length #{msg.headers['Content-Length'].inspect}, actual content size #{msg.content.size}"
162     end
163
164     begin
165       resp = Oj.load(msg.content, :symbol_keys => true)
166     rescue Oj::ParseError
167       resp = nil
168     end
169
170     if not resp.is_a? Hash
171       raise InvalidApiResponseException.new(url, msg)
172     elsif msg.status_code != 200
173       error_class = ERROR_CODE_CLASSES.fetch(msg.status_code,
174                                              ApiErrorResponseException)
175       raise error_class.new(url, msg)
176     end
177
178     if resp[:_profile]
179       Rails.logger.info "API client: " \
180       "#{resp.delete(:_profile)[:request_time]} request_time"
181     end
182     profile_checkpoint 'Parse response'
183     resp
184   end
185
186   def self.patch_paging_vars(ary, items_available, offset, limit, links=nil)
187     if items_available
188       (class << ary; self; end).class_eval { attr_accessor :items_available }
189       ary.items_available = items_available
190     end
191     if offset
192       (class << ary; self; end).class_eval { attr_accessor :offset }
193       ary.offset = offset
194     end
195     if limit
196       (class << ary; self; end).class_eval { attr_accessor :limit }
197       ary.limit = limit
198     end
199     if links
200       (class << ary; self; end).class_eval { attr_accessor :links }
201       ary.links = links
202     end
203     ary
204   end
205
206   def unpack_api_response(j, kind=nil)
207     if j.is_a? Hash and j[:items].is_a? Array and j[:kind].match(/(_list|List)$/)
208       ary = j[:items].collect { |x| unpack_api_response x, x[:kind] }
209       links = ArvadosResourceList.new Link
210       links.results = (j[:links] || []).collect do |x|
211         unpack_api_response x, x[:kind]
212       end
213       self.class.patch_paging_vars(ary, j[:items_available], j[:offset], j[:limit], links)
214     elsif j.is_a? Hash and (kind || j[:kind])
215       oclass = self.kind_class(kind || j[:kind])
216       if oclass
217         j.keys.each do |k|
218           childkind = j["#{k.to_s}_kind".to_sym]
219           if childkind
220             j[k] = self.unpack_api_response(j[k], childkind)
221           end
222         end
223         oclass.new.private_reload(j)
224       else
225         j
226       end
227     else
228       j
229     end
230   end
231
232   def arvados_login_url(params={})
233     if Rails.configuration.respond_to? :arvados_login_base
234       uri = Rails.configuration.arvados_login_base
235     else
236       uri = self.arvados_v1_base.sub(%r{/arvados/v\d+.*}, '/login')
237     end
238     if params.size > 0
239       uri += '?' << params.collect { |k,v|
240         CGI.escape(k.to_s) + '=' + CGI.escape(v.to_s)
241       }.join('&')
242     end
243     uri
244   end
245
246   def arvados_logout_url(params={})
247     arvados_login_url(params).sub('/login','/logout')
248   end
249
250   def arvados_v1_base
251     Rails.configuration.arvados_v1_base
252   end
253
254   def discovery
255     @@discovery ||= api '../../discovery/v1/apis/arvados/v1/rest', ''
256   end
257
258   def kind_class(kind)
259     kind.match(/^arvados\#(.+?)(_list|List)?$/)[1].pluralize.classify.constantize rescue nil
260   end
261
262   def class_kind(resource_class)
263     resource_class.to_s.underscore
264   end
265
266   def self.class_kind(resource_class)
267     resource_class.to_s.underscore
268   end
269
270   protected
271   def profile_checkpoint label=nil
272     return if !@@profiling_enabled
273     label = yield if block_given?
274     t = Time.now
275     if label and @profile_t0
276       Rails.logger.info "API client: #{t - @profile_t0} #{label}"
277     end
278     @profile_t0 = t
279   end
280 end