1 module ApiTemplateOverride
2 def allowed_to_render?(fieldset, field, model, options)
5 options[:select].include? field.to_s
12 class ActsAsApi::ApiTemplate
13 prepend ApiTemplateOverride
18 class ApplicationController < ActionController::Base
19 include CurrentApiClient
20 include ThemesForRails::ActionController
26 ERROR_ACTIONS = [:render_error, :render_not_found]
28 before_filter :disable_api_methods
29 before_filter :set_cors_headers
30 before_filter :respond_with_json_by_default
31 before_filter :remote_ip
32 before_filter :load_read_auths
33 before_filter :require_auth_scope, except: ERROR_ACTIONS
35 before_filter :catch_redirect_hint
36 before_filter(:find_object_by_uuid,
37 except: [:index, :create] + ERROR_ACTIONS)
38 before_filter :load_required_parameters
39 before_filter :load_limit_offset_order_params, only: [:index, :contents]
40 before_filter :load_where_param, only: [:index, :contents]
41 before_filter :load_filters_param, only: [:index, :contents]
42 before_filter :find_objects_for_index, :only => :index
43 before_filter :reload_object_before_update, :only => :update
44 before_filter(:render_404_if_no_object,
45 except: [:index, :create] + ERROR_ACTIONS)
49 attr_writer :resource_attrs
52 rescue_from(Exception,
53 ArvadosModel::PermissionDeniedError,
54 :with => :render_error)
55 rescue_from(ActiveRecord::RecordNotFound,
56 ActionController::RoutingError,
57 ActionController::UnknownController,
58 AbstractController::ActionNotFound,
59 :with => :render_not_found)
70 @response_resource_name = nil
74 def default_url_options
75 if Rails.configuration.host
76 {:host => Rails.configuration.host}
83 @objects.uniq!(&:id) if @select.nil? or @select.include? "id"
84 if params[:eager] and params[:eager] != '0' and params[:eager] != 0 and params[:eager] != ''
85 @objects.each(&:eager_load_associations)
91 send_json @object.as_api_response(nil, select: @select)
95 @object = model_class.new resource_attrs
97 if @object.respond_to? :name and params[:ensure_unique_name]
98 # Record the original name. See below.
99 name_stem = @object.name
105 rescue ActiveRecord::RecordNotUnique => rn
106 raise unless params[:ensure_unique_name]
108 # Dig into the error to determine if it is specifically calling out a
109 # (owner_uuid, name) uniqueness violation. In this specific case, and
110 # the client requested a unique name with ensure_unique_name==true,
111 # update the name field and try to save again. Loop as necessary to
112 # discover a unique name. It is necessary to handle name choosing at
113 # this level (as opposed to the client) to ensure that record creation
114 # never fails due to a race condition.
115 raise unless rn.original_exception.is_a? PG::UniqueViolation
117 # Unfortunately ActiveRecord doesn't abstract out any of the
118 # necessary information to figure out if this the error is actually
119 # the specific case where we want to apply the ensure_unique_name
120 # behavior, so the following code is specialized to Postgres.
121 err = rn.original_exception
122 detail = err.result.error_field(PG::Result::PG_DIAG_MESSAGE_DETAIL)
123 raise unless /^Key \(owner_uuid, name\)=\([a-z0-9]{5}-[a-z0-9]{5}-[a-z0-9]{15}, .*?\) already exists\./.match detail
125 # OK, this exception really is just a unique name constraint
126 # violation, and we've been asked to ensure_unique_name.
129 @object.name = "#{name_stem} (#{counter})"
136 attrs_to_update = resource_attrs.reject { |k,v|
137 [:kind, :etag, :href].index k
139 @object.update_attributes! attrs_to_update
148 def catch_redirect_hint
150 if params.has_key?('redirect_to') then
151 session[:redirect_to] = params[:redirect_to]
156 def render_404_if_no_object
157 render_not_found "Object not found" if !@object
161 logger.error e.inspect
162 if e.respond_to? :backtrace and e.backtrace
163 logger.error e.backtrace.collect { |x| x + "\n" }.join('')
165 if (@object.respond_to? :errors and
166 @object.errors.andand.full_messages.andand.any?)
167 errors = @object.errors.full_messages
168 logger.error errors.inspect
172 status = e.respond_to?(:http_status) ? e.http_status : 422
173 send_error(*errors, status: status)
176 def render_not_found(e=ActionController::RoutingError.new("Path not found"))
177 logger.error e.inspect
178 send_error("Path not found", status: 404)
183 def send_error(*args)
184 if args.last.is_a? Hash
189 err[:errors] ||= args
190 err[:error_token] = [Time.now.utc.to_i, "%08x" % rand(16 ** 8)].join("+")
191 status = err.delete(:status) || 422
192 logger.error "Error #{err[:error_token]}: #{status}"
193 send_json err, status: status
196 def send_json response, opts={}
197 # The obvious render(json: ...) forces a slow JSON encoder. See
198 # #3021 and commit logs. Might be fixed in Rails 4.1.
200 text: Oj.dump(response, mode: :compat).html_safe,
201 content_type: 'application/json'
205 def self.limit_index_columns_read
206 # This method returns a list of column names.
207 # If an index request reads that column from the database,
208 # find_objects_for_index will only fetch objects until it reads
209 # max_index_database_read bytes of data from those columns.
213 def find_objects_for_index
214 @objects ||= model_class.readable_by(*@read_users)
215 apply_where_limit_order_params
216 limit_database_read if (action_name == "index")
219 def apply_filters model_class=nil
220 model_class ||= self.model_class
221 @objects = model_class.apply_filters(@objects, @filters)
224 def apply_where_limit_order_params model_class=nil
225 model_class ||= self.model_class
226 apply_filters model_class
228 ar_table_name = @objects.table_name
229 if @where.is_a? Hash and @where.any?
231 @where.each do |attr,value|
232 if attr.to_s == 'any'
233 if value.is_a?(Array) and
234 value.length == 2 and
235 value[0] == 'contains' then
237 model_class.searchable_columns('ilike').each do |column|
238 # Including owner_uuid in an "any column" search will
239 # probably just return a lot of false positives.
240 next if column == 'owner_uuid'
241 ilikes << "#{ar_table_name}.#{column} ilike ?"
242 conditions << "%#{value[1]}%"
245 conditions[0] << ' and (' + ilikes.join(' or ') + ')'
248 elsif attr.to_s.match(/^[a-z][_a-z0-9]+$/) and
249 model_class.columns.collect(&:name).index(attr.to_s)
251 conditions[0] << " and #{ar_table_name}.#{attr} is ?"
253 elsif value.is_a? Array
254 if value[0] == 'contains' and value.length == 2
255 conditions[0] << " and #{ar_table_name}.#{attr} like ?"
256 conditions << "%#{value[1]}%"
258 conditions[0] << " and #{ar_table_name}.#{attr} in (?)"
261 elsif value.is_a? String or value.is_a? Fixnum or value == true or value == false
262 conditions[0] << " and #{ar_table_name}.#{attr}=?"
264 elsif value.is_a? Hash
265 # Not quite the same thing as "equal?" but better than nothing?
268 conditions[0] << " and #{ar_table_name}.#{attr} ilike ?"
269 conditions << "%#{k}%#{v}%"
275 if conditions.length > 1
276 conditions[0].sub!(/^1=1 and /, '')
283 unless action_name.in? %w(create update destroy)
284 # Map attribute names in @select to real column names, resolve
285 # those to fully-qualified SQL column names, and pass the
286 # resulting string to the select method.
287 columns_list = model_class.columns_for_attributes(@select).
288 map { |s| "#{ar_table_name}.#{ActiveRecord::Base.connection.quote_column_name s}" }
289 @objects = @objects.select(columns_list.join(", "))
292 # This information helps clients understand what they're seeing
293 # (Workbench always expects it), but they can't select it explicitly
294 # because it's not an SQL column. Always add it.
295 # (This is harmless, given that clients can deduce what they're
296 # looking at by the returned UUID anyway.)
299 @objects = @objects.order(@orders.join ", ") if @orders.any?
300 @objects = @objects.limit(@limit)
301 @objects = @objects.offset(@offset)
302 @objects = @objects.uniq(@distinct) if not @distinct.nil?
305 def limit_database_read
306 limit_columns = self.class.limit_index_columns_read
307 limit_columns &= model_class.columns_for_attributes(@select) if @select
308 return if limit_columns.empty?
309 model_class.transaction do
310 limit_query = @objects.
312 select("(%s) as read_length" %
313 limit_columns.map { |s| "octet_length(#{s})" }.join(" + "))
316 limit_query.each do |record|
318 read_total += record.read_length.to_i
319 if read_total >= Rails.configuration.max_index_database_read
320 new_limit -= 1 if new_limit > 1
322 elsif new_limit >= @limit
327 @objects = @objects.limit(@limit)
328 # Force @objects to run its query inside this transaction.
329 @objects.each { |_| break }
334 return @attrs if @attrs
335 @attrs = params[resource_name]
336 if @attrs.is_a? String
337 @attrs = Oj.strict_load @attrs, symbol_keys: true
339 unless @attrs.is_a? Hash
340 message = "No #{resource_name}"
341 if resource_name.index('_')
342 message << " (or #{resource_name.camelcase(:lower)})"
344 message << " hash provided with request"
345 raise ArgumentError.new(message)
347 %w(created_at modified_by_client_uuid modified_by_user_uuid modified_at).each do |x|
348 @attrs.delete x.to_sym
350 @attrs = @attrs.symbolize_keys if @attrs.is_a? HashWithIndifferentAccess
357 if current_api_client_authorization
358 @read_auths << current_api_client_authorization
360 # Load reader tokens if this is a read request.
361 # If there are too many reader tokens, assume the request is malicious
363 if request.get? and params[:reader_tokens] and
364 params[:reader_tokens].size < 100
365 @read_auths += ApiClientAuthorization
367 .where('api_token IN (?) AND
368 (expires_at IS NULL OR expires_at > CURRENT_TIMESTAMP)',
369 params[:reader_tokens])
372 @read_auths.select! { |auth| auth.scopes_allow_request? request }
373 @read_users = @read_auths.map { |auth| auth.user }.uniq
378 respond_to do |format|
379 format.json { send_error("Not logged in", status: 401) }
380 format.html { redirect_to '/auth/joshid' }
387 unless current_user and current_user.is_admin
388 send_error("Forbidden", status: 403)
392 def require_auth_scope
393 if @read_auths.empty?
394 if require_login != false
395 send_error("Forbidden", status: 403)
401 def disable_api_methods
402 if Rails.configuration.disable_api_methods.
403 include?(controller_name + "." + action_name)
404 send_error("Disabled", status: 404)
409 response.headers['Access-Control-Allow-Origin'] = '*'
410 response.headers['Access-Control-Allow-Methods'] = 'GET, HEAD, PUT, POST, DELETE'
411 response.headers['Access-Control-Allow-Headers'] = 'Authorization'
412 response.headers['Access-Control-Max-Age'] = '86486400'
415 def respond_with_json_by_default
416 html_index = request.accepts.index(Mime::HTML)
417 if html_index.nil? or request.accepts[0...html_index].include?(Mime::JSON)
418 request.format = :json
423 controller_name.classify.constantize
426 def resource_name # params[] key used by client
427 controller_name.singularize
434 def find_object_by_uuid
435 if params[:id] and params[:id].match(/\D/)
436 params[:uuid] = params.delete :id
438 @where = { uuid: params[:uuid] }
444 find_objects_for_index
445 @object = @objects.first
448 def reload_object_before_update
449 # This is necessary to prevent an ActiveRecord::ReadOnlyRecord
450 # error when updating an object which was retrieved using a join.
451 if @object.andand.readonly?
452 @object = model_class.find_by_uuid(@objects.first.uuid)
456 def load_json_value(hash, key, must_be_class=nil)
457 if hash[key].is_a? String
458 hash[key] = Oj.strict_load(hash[key], symbol_keys: false)
459 if must_be_class and !hash[key].is_a? must_be_class
460 raise TypeError.new("parameter #{key.to_s} must be a #{must_be_class.to_s}")
465 def self.accept_attribute_as_json(attr, must_be_class=nil)
466 before_filter lambda { accept_attribute_as_json attr, must_be_class }
468 accept_attribute_as_json :properties, Hash
469 accept_attribute_as_json :info, Hash
470 def accept_attribute_as_json(attr, must_be_class)
471 if params[resource_name] and resource_attrs.is_a? Hash
472 if resource_attrs[attr].is_a? Hash
473 # Convert symbol keys to strings (in hashes provided by
475 resource_attrs[attr] = resource_attrs[attr].
476 with_indifferent_access.to_hash
478 load_json_value(resource_attrs, attr, must_be_class)
483 def self.accept_param_as_json(key, must_be_class=nil)
484 prepend_before_filter lambda { load_json_value(params, key, must_be_class) }
486 accept_param_as_json :reader_tokens, Array
490 :kind => "arvados##{(@response_resource_name || resource_name).camelize(:lower)}List",
495 :items => @objects.as_api_response(nil, {select: @select})
497 if @objects.respond_to? :except
498 list[:items_available] = @objects.
499 except(:limit).except(:offset).
500 count(:id, distinct: true)
506 send_json object_list
510 # Caveat: this is highly dependent on the proxy setup. YMMV.
511 if request.headers.has_key?('HTTP_X_REAL_IP') then
512 # We're behind a reverse proxy
513 @remote_ip = request.headers['HTTP_X_REAL_IP']
515 # Hopefully, we are not!
516 @remote_ip = request.env['REMOTE_ADDR']
520 def load_required_parameters
521 (self.class.send "_#{params[:action]}_requires_parameters" rescue {}).
523 if info[:required] and not params.include?(key)
524 raise ArgumentError.new("#{key} parameter is required")
525 elsif info[:type] == 'boolean'
526 # Make sure params[key] is either true or false -- not a
527 # string, not nil, etc.
528 if not params.include?(key)
529 params[key] = info[:default]
530 elsif [false, 'false', '0', 0].include? params[key]
532 elsif [true, 'true', '1', 1].include? params[key]
535 raise TypeError.new("#{key} parameter must be a boolean, true or false")
542 def self._create_requires_parameters
544 ensure_unique_name: {
546 description: "Adjust name to ensure uniqueness instead of returning an error on (owner_uuid, name) collision.",
554 def self._index_requires_parameters
556 filters: { type: 'array', required: false },
557 where: { type: 'object', required: false },
558 order: { type: 'array', required: false },
559 select: { type: 'array', required: false },
560 distinct: { type: 'boolean', required: false },
561 limit: { type: 'integer', required: false, default: DEFAULT_LIMIT },
562 offset: { type: 'integer', required: false, default: 0 },
566 def client_accepts_plain_text_stream
567 (request.headers['Accept'].split(' ') &
568 ['text/plain', '*/*']).count > 0
573 response = opts.first[:json]
574 if response.is_a?(Hash) &&
576 Thread.current[:request_starttime]
577 response[:_profile] = {
578 request_time: Time.now - Thread.current[:request_starttime]
586 return Rails.configuration.arvados_theme