2 require 'record_filters'
4 class ArvadosModel < ActiveRecord::Base
5 self.abstract_class = true
7 include CurrentApiClient # current_user, current_api_client, etc.
11 attr_protected :created_at
12 attr_protected :modified_by_user_uuid
13 attr_protected :modified_by_client_uuid
14 attr_protected :modified_at
15 after_initialize :log_start_state
16 before_save :ensure_permission_to_save
17 before_save :ensure_owner_uuid_is_permitted
18 before_save :ensure_ownership_path_leads_to_user
19 before_destroy :ensure_owner_uuid_is_permitted
20 before_destroy :ensure_permission_to_destroy
21 before_create :update_modified_by_fields
22 before_update :maybe_update_modified_by_fields
23 after_create :log_create
24 after_update :log_update
25 after_destroy :log_destroy
26 after_find :convert_serialized_symbols_to_strings
27 before_validation :normalize_collection_uuids
28 before_validation :set_default_owner
29 validate :ensure_serialized_attribute_type
30 validate :ensure_valid_uuids
32 # Note: This only returns permission links. It does not account for
33 # permissions obtained via user.is_admin or
34 # user.uuid==object.owner_uuid.
35 has_many :permissions, :foreign_key => :head_uuid, :class_name => 'Link', :primary_key => :uuid, :conditions => "link_class = 'permission'"
37 class PermissionDeniedError < StandardError
43 class AlreadyLockedError < StandardError
49 class UnauthorizedError < StandardError
55 class UnresolvableContainerError < StandardError
61 def self.kind_class(kind)
62 kind.match(/^arvados\#(.+)$/)[1].classify.safe_constantize rescue nil
66 "#{current_api_base}/#{self.class.to_s.pluralize.underscore}/#{self.uuid}"
69 def self.selectable_attributes(template=:user)
70 # Return an array of attribute name strings that can be selected
71 # in the given template.
72 api_accessible_attributes(template).map { |attr_spec| attr_spec.first.to_s }
75 def self.searchable_columns operator
76 textonly_operator = !operator.match(/[<=>]/)
77 self.columns.select do |col|
81 when :datetime, :integer, :boolean
89 def self.attribute_column attr
90 self.columns.select { |col| col.name == attr.to_s }.first
93 def self.attributes_required_columns
94 # This method returns a hash. Each key is the name of an API attribute,
95 # and it's mapped to a list of database columns that must be fetched
96 # to generate that attribute.
97 # This implementation generates a simple map of attributes to
98 # matching column names. Subclasses can override this method
99 # to specify that method-backed API attributes need to fetch
100 # specific columns from the database.
101 all_columns = columns.map(&:name)
102 api_column_map = Hash.new { |hash, key| hash[key] = [] }
103 methods.grep(/^api_accessible_\w+$/).each do |method_name|
104 next if method_name == :api_accessible_attributes
105 send(method_name).each_pair do |api_attr_name, col_name|
106 col_name = col_name.to_s
107 if all_columns.include?(col_name)
108 api_column_map[api_attr_name.to_s] |= [col_name]
115 def self.ignored_select_attributes
116 ["href", "kind", "etag"]
119 def self.columns_for_attributes(select_attributes)
120 if select_attributes.empty?
121 raise ArgumentError.new("Attribute selection list cannot be empty")
123 api_column_map = attributes_required_columns
125 select_attributes.each do |s|
126 next if ignored_select_attributes.include? s
127 if not s.is_a? String or not api_column_map.include? s
131 if not invalid_attrs.empty?
132 raise ArgumentError.new("Invalid attribute(s): #{invalid_attrs.inspect}")
134 # Given an array of attribute names to select, return an array of column
135 # names that must be fetched from the database to satisfy the request.
136 select_attributes.flat_map { |attr| api_column_map[attr] }.uniq
139 def self.default_orders
140 ["#{table_name}.modified_at desc", "#{table_name}.uuid"]
143 def self.unique_columns
147 # If current user can manage the object, return an array of uuids of
148 # users and groups that have permission to write the object. The
149 # first two elements are always [self.owner_uuid, current user's
152 # If current user can write but not manage the object, return
153 # [self.owner_uuid, current user's uuid].
155 # If current user cannot write this object, just return
158 return [owner_uuid] if not current_user
159 unless (owner_uuid == current_user.uuid or
160 current_user.is_admin or
161 (current_user.groups_i_can(:manage) & [uuid, owner_uuid]).any?)
162 if ((current_user.groups_i_can(:write) + [current_user.uuid]) &
163 [uuid, owner_uuid]).any?
164 return [owner_uuid, current_user.uuid]
169 [owner_uuid, current_user.uuid] + permissions.collect do |p|
170 if ['can_write', 'can_manage'].index p.name
176 # Return a query with read permissions restricted to the union of of the
177 # permissions of the members of users_list, i.e. if something is readable by
178 # any user in users_list, it will be readable in the query returned by this
180 def self.readable_by(*users_list)
181 # Get rid of troublesome nils
184 # Load optional keyword arguments, if they exist.
185 if users_list.last.is_a? Hash
186 kwargs = users_list.pop
191 # Check if any of the users are admin. If so, we're done.
192 if users_list.select { |u| u.is_admin }.any?
196 # Collect the uuids for each user and any groups readable by each user.
197 user_uuids = users_list.map { |u| u.uuid }
198 uuid_list = user_uuids + users_list.flat_map { |u| u.groups_i_can(:read) }
201 sql_table = kwargs.fetch(:table_name, table_name)
204 # This row is owned by a member of users_list, or owned by a group
205 # readable by a member of users_list
207 # This row uuid is the uuid of a member of users_list
209 # A permission link exists ('write' and 'manage' implicitly include
210 # 'read') from a member of users_list, or a group readable by users_list,
211 # to this row, or to the owner of this row (see join() below).
212 sql_conds += ["#{sql_table}.uuid in (?)"]
213 sql_params += [user_uuids]
216 sql_conds += ["#{sql_table}.owner_uuid in (?)"]
217 sql_params += [uuid_list]
219 sanitized_uuid_list = uuid_list.
220 collect { |uuid| sanitize(uuid) }.join(', ')
221 permitted_uuids = "(SELECT head_uuid FROM links WHERE link_class='permission' AND tail_uuid IN (#{sanitized_uuid_list}))"
222 sql_conds += ["#{sql_table}.uuid IN #{permitted_uuids}"]
225 if sql_table == "links" and users_list.any?
226 # This row is a 'permission' or 'resources' link class
227 # The uuid for a member of users_list is referenced in either the head
228 # or tail of the link
229 sql_conds += ["(#{sql_table}.link_class in (#{sanitize 'permission'}, #{sanitize 'resources'}) AND (#{sql_table}.head_uuid IN (?) OR #{sql_table}.tail_uuid IN (?)))"]
230 sql_params += [user_uuids, user_uuids]
233 if sql_table == "logs" and users_list.any?
234 # Link head points to the object described by this row
235 sql_conds += ["#{sql_table}.object_uuid IN #{permitted_uuids}"]
237 # This object described by this row is owned by this user, or owned by a group readable by this user
238 sql_conds += ["#{sql_table}.object_owner_uuid in (?)"]
239 sql_params += [uuid_list]
242 # Link head points to this row, or to the owner of this row (the
245 # Link tail originates from this user, or a group that is readable
246 # by this user (the identity with authorization to read)
248 # Link class is 'permission' ('write' and 'manage' implicitly
250 where(sql_conds.join(' OR '), *sql_params)
253 def logged_attributes
254 attributes.except *Rails.configuration.unlogged_attributes
257 def self.full_text_searchable_columns
258 self.columns.select do |col|
259 col.type == :string or col.type == :text
263 def self.full_text_tsvector
264 parts = full_text_searchable_columns.collect do |column|
265 "coalesce(#{column},'')"
267 # We prepend a space to the tsvector() argument here. Otherwise,
268 # it might start with a column that has its own (non-full-text)
269 # index, which causes Postgres to use the column index instead of
270 # the tsvector index, which causes full text queries to be just as
271 # slow as if we had no index at all.
272 "to_tsvector('english', ' ' || #{parts.join(" || ' ' || ")})"
275 def self.apply_filters query, filters
276 ft = record_filters filters, self
277 if not ft[:cond_out].any?
280 query.where('(' + ft[:cond_out].join(') AND (') + ')',
286 def ensure_ownership_path_leads_to_user
287 if new_record? or owner_uuid_changed?
288 uuid_in_path = {owner_uuid => true, uuid => true}
290 while (owner_class = ArvadosModel::resource_class_for_uuid(x)) != User
293 # Test for cycles with the new version, not the DB contents
295 elsif !owner_class.respond_to? :find_by_uuid
296 raise ActiveRecord::RecordNotFound.new
298 x = owner_class.find_by_uuid(x).owner_uuid
300 rescue ActiveRecord::RecordNotFound => e
301 errors.add :owner_uuid, "is not owned by any user: #{e}"
306 errors.add :owner_uuid, "would create an ownership cycle"
308 errors.add :owner_uuid, "has an ownership cycle"
312 uuid_in_path[x] = true
318 def set_default_owner
319 if new_record? and current_user and respond_to? :owner_uuid=
320 self.owner_uuid ||= current_user.uuid
324 def ensure_owner_uuid_is_permitted
325 raise PermissionDeniedError if !current_user
327 if self.owner_uuid.nil?
328 errors.add :owner_uuid, "cannot be nil"
329 raise PermissionDeniedError
332 rsc_class = ArvadosModel::resource_class_for_uuid owner_uuid
333 unless rsc_class == User or rsc_class == Group
334 errors.add :owner_uuid, "must be set to User or Group"
335 raise PermissionDeniedError
338 # Verify "write" permission on old owner
339 # default fail unless one of:
340 # owner_uuid did not change
341 # previous owner_uuid is nil
342 # current user is the old owner
343 # current user is this object
344 # current user can_write old owner
345 unless !owner_uuid_changed? or
346 owner_uuid_was.nil? or
347 current_user.uuid == self.owner_uuid_was or
348 current_user.uuid == self.uuid or
349 current_user.can? write: self.owner_uuid_was
350 logger.warn "User #{current_user.uuid} tried to modify #{self.class.to_s} #{uuid} but does not have permission to write old owner_uuid #{owner_uuid_was}"
351 errors.add :owner_uuid, "cannot be changed without write permission on old owner"
352 raise PermissionDeniedError
355 # Verify "write" permission on new owner
356 # default fail unless one of:
357 # current_user is this object
358 # current user can_write new owner, or this object if owner unchanged
359 if new_record? or owner_uuid_changed? or is_a?(ApiClientAuthorization)
360 write_target = owner_uuid
364 unless current_user == self or current_user.can? write: write_target
365 logger.warn "User #{current_user.uuid} tried to modify #{self.class.to_s} #{uuid} but does not have permission to write new owner_uuid #{owner_uuid}"
366 errors.add :owner_uuid, "cannot be changed without write permission on new owner"
367 raise PermissionDeniedError
373 def ensure_permission_to_save
374 unless (new_record? ? permission_to_create : permission_to_update)
375 raise PermissionDeniedError
379 def permission_to_create
380 current_user.andand.is_active
383 def permission_to_update
385 logger.warn "Anonymous user tried to update #{self.class.to_s} #{self.uuid_was}"
388 if !current_user.is_active
389 logger.warn "Inactive user #{current_user.uuid} tried to update #{self.class.to_s} #{self.uuid_was}"
392 return true if current_user.is_admin
393 if self.uuid_changed?
394 logger.warn "User #{current_user.uuid} tried to change uuid of #{self.class.to_s} #{self.uuid_was} to #{self.uuid}"
400 def ensure_permission_to_destroy
401 raise PermissionDeniedError unless permission_to_destroy
404 def permission_to_destroy
408 def maybe_update_modified_by_fields
409 update_modified_by_fields if self.changed? or self.new_record?
413 def update_modified_by_fields
414 current_time = db_current_time
415 self.updated_at = current_time
416 self.owner_uuid ||= current_default_owner if self.respond_to? :owner_uuid=
417 self.modified_at = current_time
418 self.modified_by_user_uuid = current_user ? current_user.uuid : nil
419 self.modified_by_client_uuid = current_api_client ? current_api_client.uuid : nil
423 def self.has_symbols? x
426 return true if has_symbols?(k) or has_symbols?(v)
430 return true if has_symbols?(k)
435 return true if x.start_with?(':') && !x.start_with?('::')
440 def self.recursive_stringify x
442 Hash[x.collect do |k,v|
443 [recursive_stringify(k), recursive_stringify(v)]
447 recursive_stringify k
451 elsif x.is_a? String and x.start_with?(':') and !x.start_with?('::')
458 def ensure_serialized_attribute_type
459 # Specifying a type in the "serialize" declaration causes rails to
460 # raise an exception if a different data type is retrieved from
461 # the database during load(). The validation preventing such
462 # crash-inducing records from being inserted in the database in
463 # the first place seems to have been left as an exercise to the
465 self.class.serialized_attributes.each do |colname, attr|
467 if self.attributes[colname].class != attr.object_class
468 self.errors.add colname.to_sym, "must be a #{attr.object_class.to_s}, not a #{self.attributes[colname].class.to_s}"
469 elsif self.class.has_symbols? attributes[colname]
470 self.errors.add colname.to_sym, "must not contain symbols: #{attributes[colname].inspect}"
476 def convert_serialized_symbols_to_strings
477 # ensure_serialized_attribute_type should prevent symbols from
478 # getting into the database in the first place. If someone managed
479 # to get them into the database (perhaps using an older version)
480 # we'll convert symbols to strings when loading from the
481 # database. (Otherwise, loading and saving an object with existing
482 # symbols in a serialized field will crash.)
483 self.class.serialized_attributes.each do |colname, attr|
484 if self.class.has_symbols? attributes[colname]
485 attributes[colname] = self.class.recursive_stringify attributes[colname]
486 self.send(colname + '=',
487 self.class.recursive_stringify(attributes[colname]))
492 def foreign_key_attributes
493 attributes.keys.select { |a| a.match /_uuid$/ }
496 def skip_uuid_read_permission_check
497 %w(modified_by_client_uuid)
500 def skip_uuid_existence_check
504 def normalize_collection_uuids
505 foreign_key_attributes.each do |attr|
506 attr_value = send attr
507 if attr_value.is_a? String and
508 attr_value.match /^[0-9a-f]{32,}(\+[@\w]+)*$/
510 send "#{attr}=", Collection.normalize_uuid(attr_value)
512 # TODO: abort instead of silently accepting unnormalizable value?
518 @@prefixes_hash = nil
519 def self.uuid_prefixes
520 unless @@prefixes_hash
522 Rails.application.eager_load!
523 ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |k|
524 if k.respond_to?(:uuid_prefix)
525 @@prefixes_hash[k.uuid_prefix] = k
532 def self.uuid_like_pattern
533 "_____-#{uuid_prefix}-_______________"
537 %r/[a-z0-9]{5}-#{uuid_prefix}-[a-z0-9]{15}/
540 def ensure_valid_uuids
541 specials = [system_user_uuid]
543 foreign_key_attributes.each do |attr|
544 if new_record? or send (attr + "_changed?")
545 next if skip_uuid_existence_check.include? attr
546 attr_value = send attr
547 next if specials.include? attr_value
549 if (r = ArvadosModel::resource_class_for_uuid attr_value)
550 unless skip_uuid_read_permission_check.include? attr
551 r = r.readable_by(current_user)
553 if r.where(uuid: attr_value).count == 0
554 errors.add(attr, "'#{attr_value}' not found")
571 def self.readable_by (*u)
576 [{:uuid => u[:uuid]}]
580 def self.resource_class_for_uuid(uuid)
581 if uuid.is_a? ArvadosModel
584 unless uuid.is_a? String
589 uuid.match HasUuid::UUID_REGEX do |re|
590 return uuid_prefixes[re[1]] if uuid_prefixes[re[1]]
593 if uuid.match /.+@.+/
600 # ArvadosModel.find_by_uuid needs extra magic to allow it to return
601 # an object in any class.
602 def self.find_by_uuid uuid
603 if self == ArvadosModel
604 # If called directly as ArvadosModel.find_by_uuid rather than via subclass,
605 # delegate to the appropriate subclass based on the given uuid.
606 self.resource_class_for_uuid(uuid).find_by_uuid(uuid)
613 @old_attributes = Marshal.load(Marshal.dump(attributes))
614 @old_logged_attributes = Marshal.load(Marshal.dump(logged_attributes))
617 def log_change(event_type)
618 log = Log.new(event_type: event_type).fill_object(self)
625 log_change('create') do |log|
626 log.fill_properties('old', nil, nil)
632 log_change('update') do |log|
633 log.fill_properties('old', etag(@old_attributes), @old_logged_attributes)
639 log_change('destroy') do |log|
640 log.fill_properties('old', etag(@old_attributes), @old_logged_attributes)