1 # Copyright (C) The Arvados Authors. All rights reserved.
3 # SPDX-License-Identifier: AGPL-3.0
5 require 'arvados_model_updates'
7 require 'record_filters'
9 require 'request_error'
11 class ArvadosModel < ActiveRecord::Base
12 self.abstract_class = true
14 include ArvadosModelUpdates
15 include CurrentApiClient # current_user, current_api_client, etc.
19 after_initialize :log_start_state
20 before_save :ensure_permission_to_save
21 before_save :ensure_owner_uuid_is_permitted
22 before_save :ensure_ownership_path_leads_to_user
23 before_destroy :ensure_owner_uuid_is_permitted
24 before_destroy :ensure_permission_to_destroy
25 before_create :update_modified_by_fields
26 before_update :maybe_update_modified_by_fields
27 after_create :log_create
28 after_update :log_update
29 after_destroy :log_destroy
30 after_find :convert_serialized_symbols_to_strings
31 before_validation :normalize_collection_uuids
32 before_validation :set_default_owner
33 validate :ensure_valid_uuids
35 # Note: This only returns permission links. It does not account for
36 # permissions obtained via user.is_admin or
37 # user.uuid==object.owner_uuid.
38 has_many(:permissions,
39 ->{where(link_class: 'permission')},
40 foreign_key: :head_uuid,
44 class PermissionDeniedError < RequestError
50 class AlreadyLockedError < RequestError
56 class LockFailedError < RequestError
62 class InvalidStateTransitionError < RequestError
68 class UnauthorizedError < RequestError
74 class UnresolvableContainerError < RequestError
80 def self.kind_class(kind)
81 kind.match(/^arvados\#(.+)$/)[1].classify.safe_constantize rescue nil
85 "#{current_api_base}/#{self.class.to_s.pluralize.underscore}/#{self.uuid}"
88 def self.permit_attribute_params raw_params
89 # strong_parameters does not provide security: permissions are
90 # implemented with before_save hooks.
92 # The following permit! is necessary even with
93 # "ActionController::Parameters.permit_all_parameters = true",
94 # because permit_all does not permit nested attributes.
96 serialized_attributes.each do |colname, coder|
97 param = raw_params[colname.to_sym]
100 elsif !param.is_a?(coder.object_class)
101 raise ArgumentError.new("#{colname} parameter must be #{coder.object_class}, not #{param.class}")
102 elsif has_nonstring_keys?(param)
103 raise ArgumentError.new("#{colname} parameter cannot have non-string hash keys")
107 ActionController::Parameters.new(raw_params).permit!
110 def initialize raw_params={}, *args
111 super(self.class.permit_attribute_params(raw_params), *args)
114 # Reload "old attributes" for logging, too.
120 def self.create raw_params={}, *args
121 super(permit_attribute_params(raw_params), *args)
124 def update_attributes raw_params={}, *args
125 super(self.class.permit_attribute_params(raw_params), *args)
128 def self.selectable_attributes(template=:user)
129 # Return an array of attribute name strings that can be selected
130 # in the given template.
131 api_accessible_attributes(template).map { |attr_spec| attr_spec.first.to_s }
134 def self.searchable_columns operator
135 textonly_operator = !operator.match(/[<=>]/)
136 self.columns.select do |col|
140 when :datetime, :integer, :boolean
148 def self.attribute_column attr
149 self.columns.select { |col| col.name == attr.to_s }.first
152 def self.attributes_required_columns
153 # This method returns a hash. Each key is the name of an API attribute,
154 # and it's mapped to a list of database columns that must be fetched
155 # to generate that attribute.
156 # This implementation generates a simple map of attributes to
157 # matching column names. Subclasses can override this method
158 # to specify that method-backed API attributes need to fetch
159 # specific columns from the database.
160 all_columns = columns.map(&:name)
161 api_column_map = Hash.new { |hash, key| hash[key] = [] }
162 methods.grep(/^api_accessible_\w+$/).each do |method_name|
163 next if method_name == :api_accessible_attributes
164 send(method_name).each_pair do |api_attr_name, col_name|
165 col_name = col_name.to_s
166 if all_columns.include?(col_name)
167 api_column_map[api_attr_name.to_s] |= [col_name]
174 def self.ignored_select_attributes
175 ["href", "kind", "etag"]
178 def self.columns_for_attributes(select_attributes)
179 if select_attributes.empty?
180 raise ArgumentError.new("Attribute selection list cannot be empty")
182 api_column_map = attributes_required_columns
184 select_attributes.each do |s|
185 next if ignored_select_attributes.include? s
186 if not s.is_a? String or not api_column_map.include? s
190 if not invalid_attrs.empty?
191 raise ArgumentError.new("Invalid attribute(s): #{invalid_attrs.inspect}")
193 # Given an array of attribute names to select, return an array of column
194 # names that must be fetched from the database to satisfy the request.
195 select_attributes.flat_map { |attr| api_column_map[attr] }.uniq
198 def self.default_orders
199 ["#{table_name}.modified_at desc", "#{table_name}.uuid"]
202 def self.unique_columns
206 def self.limit_index_columns_read
207 # This method returns a list of column names.
208 # If an index request reads that column from the database,
209 # APIs that return lists will only fetch objects until reaching
210 # max_index_database_read bytes of data from those columns.
214 # If current user can manage the object, return an array of uuids of
215 # users and groups that have permission to write the object. The
216 # first two elements are always [self.owner_uuid, current user's
219 # If current user can write but not manage the object, return
220 # [self.owner_uuid, current user's uuid].
222 # If current user cannot write this object, just return
225 return [owner_uuid] if not current_user
226 unless (owner_uuid == current_user.uuid or
227 current_user.is_admin or
228 (current_user.groups_i_can(:manage) & [uuid, owner_uuid]).any?)
229 if ((current_user.groups_i_can(:write) + [current_user.uuid]) &
230 [uuid, owner_uuid]).any?
231 return [owner_uuid, current_user.uuid]
236 [owner_uuid, current_user.uuid] + permissions.collect do |p|
237 if ['can_write', 'can_manage'].index p.name
243 # Return a query with read permissions restricted to the union of the
244 # permissions of the members of users_list, i.e. if something is readable by
245 # any user in users_list, it will be readable in the query returned by this
247 def self.readable_by(*users_list)
248 # Get rid of troublesome nils
251 # Load optional keyword arguments, if they exist.
252 if users_list.last.is_a? Hash
253 kwargs = users_list.pop
258 # Collect the UUIDs of the authorized users.
259 sql_table = kwargs.fetch(:table_name, table_name)
260 include_trash = kwargs.fetch(:include_trash, false)
261 include_old_versions = kwargs.fetch(:include_old_versions, false)
264 user_uuids = users_list.map { |u| u.uuid }
266 exclude_trashed_records = ""
267 if !include_trash and (sql_table == "groups" or sql_table == "collections") then
268 # Only include records that are not explicitly trashed
269 exclude_trashed_records = "AND #{sql_table}.is_trashed = false"
272 if users_list.select { |u| u.is_admin }.any?
273 # Admin skips most permission checks, but still want to filter on trashed items.
275 if sql_table != "api_client_authorizations"
276 # Only include records where the owner is not trashed
277 sql_conds = "NOT EXISTS(SELECT 1 FROM #{PERMISSION_VIEW} "+
278 "WHERE trashed = 1 AND "+
279 "(#{sql_table}.owner_uuid = target_uuid)) #{exclude_trashed_records}"
284 if !include_trash then
285 trashed_check = "AND trashed = 0"
288 # Note: it is possible to combine the direct_check and
289 # owner_check into a single EXISTS() clause, however it turns
290 # out query optimizer doesn't like it and forces a sequential
291 # table scan. Constructing the query with separate EXISTS()
292 # clauses enables it to use the index.
294 # see issue 13208 for details.
296 # Match a direct read permission link from the user to the record uuid
297 direct_check = "EXISTS(SELECT 1 FROM #{PERMISSION_VIEW} "+
298 "WHERE user_uuid IN (:user_uuids) AND perm_level >= 1 #{trashed_check} AND target_uuid = #{sql_table}.uuid)"
300 # Match a read permission link from the user to the record's owner_uuid
302 if sql_table != "api_client_authorizations" and sql_table != "groups" then
303 owner_check = "OR EXISTS(SELECT 1 FROM #{PERMISSION_VIEW} "+
304 "WHERE user_uuid IN (:user_uuids) AND perm_level >= 1 #{trashed_check} AND target_uuid = #{sql_table}.owner_uuid AND target_owner_uuid IS NOT NULL) "
308 if sql_table == "links"
309 # Match any permission link that gives one of the authorized
310 # users some permission _or_ gives anyone else permission to
311 # view one of the authorized users.
312 links_cond = "OR (#{sql_table}.link_class IN (:permission_link_classes) AND "+
313 "(#{sql_table}.head_uuid IN (:user_uuids) OR #{sql_table}.tail_uuid IN (:user_uuids)))"
316 sql_conds = "(#{direct_check} #{owner_check} #{links_cond}) #{exclude_trashed_records}"
320 if !include_old_versions && sql_table == "collections"
321 exclude_old_versions = "#{sql_table}.uuid = #{sql_table}.current_version_uuid"
323 sql_conds = exclude_old_versions
325 sql_conds += " AND #{exclude_old_versions}"
329 self.where(sql_conds,
330 user_uuids: user_uuids,
331 permission_link_classes: ['permission', 'resources'])
334 def save_with_unique_name!
339 conn = ActiveRecord::Base.connection
340 conn.exec_query 'SAVEPOINT save_with_unique_name'
343 rescue ActiveRecord::RecordNotUnique => rn
344 raise if max_retries == 0
347 conn.exec_query 'ROLLBACK TO SAVEPOINT save_with_unique_name'
349 # Dig into the error to determine if it is specifically calling out a
350 # (owner_uuid, name) uniqueness violation. In this specific case, and
351 # the client requested a unique name with ensure_unique_name==true,
352 # update the name field and try to save again. Loop as necessary to
353 # discover a unique name. It is necessary to handle name choosing at
354 # this level (as opposed to the client) to ensure that record creation
355 # never fails due to a race condition.
356 err = rn.original_exception
357 raise unless err.is_a?(PG::UniqueViolation)
359 # Unfortunately ActiveRecord doesn't abstract out any of the
360 # necessary information to figure out if this the error is actually
361 # the specific case where we want to apply the ensure_unique_name
362 # behavior, so the following code is specialized to Postgres.
363 detail = err.result.error_field(PG::Result::PG_DIAG_MESSAGE_DETAIL)
364 raise unless /^Key \(owner_uuid, name\)=\([a-z0-9]{5}-[a-z0-9]{5}-[a-z0-9]{15}, .*?\) already exists\./.match detail
366 new_name = "#{name_was} (#{db_current_time.utc.iso8601(3)})"
368 # If the database is fast enough to do two attempts in the
369 # same millisecond, we need to wait to ensure we try a
370 # different timestamp on each attempt.
372 new_name = "#{name_was} (#{db_current_time.utc.iso8601(3)})"
375 self[:name] = new_name
376 if uuid_was.nil? && !uuid.nil?
378 if self.is_a? Collection
379 # Reset so that is assigned to the new UUID
380 self[:current_version_uuid] = nil
383 conn.exec_query 'SAVEPOINT save_with_unique_name'
386 conn.exec_query 'RELEASE SAVEPOINT save_with_unique_name'
391 def logged_attributes
392 attributes.except(*Rails.configuration.unlogged_attributes)
395 def self.full_text_searchable_columns
396 self.columns.select do |col|
397 [:string, :text, :jsonb].include?(col.type)
401 def self.full_text_tsvector
402 parts = full_text_searchable_columns.collect do |column|
403 cast = serialized_attributes[column] ? '::text' : ''
404 "coalesce(#{column}#{cast},'')"
406 "to_tsvector('english', #{parts.join(" || ' ' || ")})"
409 def self.apply_filters query, filters
410 ft = record_filters filters, self
411 if not ft[:cond_out].any?
414 query.where('(' + ft[:cond_out].join(') AND (') + ')',
420 def self.deep_sort_hash(x)
422 x.sort.collect do |k, v|
423 [k, deep_sort_hash(v)]
426 x.collect { |v| deep_sort_hash(v) }
432 def ensure_ownership_path_leads_to_user
433 if new_record? or owner_uuid_changed?
434 uuid_in_path = {owner_uuid => true, uuid => true}
436 while (owner_class = ArvadosModel::resource_class_for_uuid(x)) != User
439 # Test for cycles with the new version, not the DB contents
441 elsif !owner_class.respond_to? :find_by_uuid
442 raise ActiveRecord::RecordNotFound.new
444 x = owner_class.find_by_uuid(x).owner_uuid
446 rescue ActiveRecord::RecordNotFound => e
447 errors.add :owner_uuid, "is not owned by any user: #{e}"
452 errors.add :owner_uuid, "would create an ownership cycle"
454 errors.add :owner_uuid, "has an ownership cycle"
458 uuid_in_path[x] = true
464 def set_default_owner
465 if new_record? and current_user and respond_to? :owner_uuid=
466 self.owner_uuid ||= current_user.uuid
470 def ensure_owner_uuid_is_permitted
471 raise PermissionDeniedError if !current_user
473 if self.owner_uuid.nil?
474 errors.add :owner_uuid, "cannot be nil"
475 raise PermissionDeniedError
478 rsc_class = ArvadosModel::resource_class_for_uuid owner_uuid
479 unless rsc_class == User or rsc_class == Group
480 errors.add :owner_uuid, "must be set to User or Group"
481 raise PermissionDeniedError
484 if new_record? || owner_uuid_changed?
485 # Permission on owner_uuid_was is needed to move an existing
486 # object away from its previous owner (which implies permission
487 # to modify this object itself, so we don't need to check that
488 # separately). Permission on the new owner_uuid is also needed.
489 [['old', owner_uuid_was],
491 ].each do |which, check_uuid|
493 # old_owner_uuid is nil? New record, no need to check.
494 elsif !current_user.can?(write: check_uuid)
495 logger.warn "User #{current_user.uuid} tried to set ownership of #{self.class.to_s} #{self.uuid} but does not have permission to write #{which} owner_uuid #{check_uuid}"
496 errors.add :owner_uuid, "cannot be set or changed without write permission on #{which} owner"
497 raise PermissionDeniedError
501 # If the object already existed and we're not changing
502 # owner_uuid, we only need write permission on the object
504 if !current_user.can?(write: self.uuid)
505 logger.warn "User #{current_user.uuid} tried to modify #{self.class.to_s} #{self.uuid} without write permission"
506 errors.add :uuid, "is not writable"
507 raise PermissionDeniedError
514 def ensure_permission_to_save
515 unless (new_record? ? permission_to_create : permission_to_update)
516 raise PermissionDeniedError
520 def permission_to_create
521 current_user.andand.is_active
524 def permission_to_update
526 logger.warn "Anonymous user tried to update #{self.class.to_s} #{self.uuid_was}"
529 if !current_user.is_active
530 logger.warn "Inactive user #{current_user.uuid} tried to update #{self.class.to_s} #{self.uuid_was}"
533 return true if current_user.is_admin
534 if self.uuid_changed?
535 logger.warn "User #{current_user.uuid} tried to change uuid of #{self.class.to_s} #{self.uuid_was} to #{self.uuid}"
541 def ensure_permission_to_destroy
542 raise PermissionDeniedError unless permission_to_destroy
545 def permission_to_destroy
549 def maybe_update_modified_by_fields
550 update_modified_by_fields if self.changed? or self.new_record?
554 def update_modified_by_fields
555 current_time = db_current_time
556 self.created_at ||= created_at_was || current_time
557 self.updated_at = current_time
558 self.owner_uuid ||= current_default_owner if self.respond_to? :owner_uuid=
559 if !anonymous_updater
560 self.modified_by_user_uuid = current_user ? current_user.uuid : nil
561 self.modified_at = current_time
563 self.modified_by_client_uuid = current_api_client ? current_api_client.uuid : nil
567 def self.has_nonstring_keys? x
570 return true if !(k.is_a?(String) || k.is_a?(Symbol)) || has_nonstring_keys?(v)
574 return true if has_nonstring_keys?(v)
580 def self.has_symbols? x
583 return true if has_symbols?(k) or has_symbols?(v)
587 return true if has_symbols?(k)
592 return true if x.start_with?(':') && !x.start_with?('::')
597 def self.recursive_stringify x
599 Hash[x.collect do |k,v|
600 [recursive_stringify(k), recursive_stringify(v)]
604 recursive_stringify k
608 elsif x.is_a? String and x.start_with?(':') and !x.start_with?('::')
615 def self.where_serialized(colname, value, md5: false)
616 colsql = colname.to_s
618 colsql = "md5(#{colsql})"
621 # rails4 stores as null, rails3 stored as serialized [] or {}
622 sql = "#{colsql} is null or #{colsql} IN (?)"
625 sql = "#{colsql} IN (?)"
626 sorted = deep_sort_hash(value)
628 params = [sorted.to_yaml, SafeJSON.dump(sorted)]
630 params = params.map { |x| Digest::MD5.hexdigest(x) }
636 Hash => HashSerializer,
637 Array => ArraySerializer,
640 def self.serialize(colname, type)
641 coder = Serializer[type]
642 @serialized_attributes ||= {}
643 @serialized_attributes[colname.to_s] = coder
644 super(colname, coder)
647 def self.serialized_attributes
648 @serialized_attributes ||= {}
651 def serialized_attributes
652 self.class.serialized_attributes
655 def convert_serialized_symbols_to_strings
656 # ensure_serialized_attribute_type should prevent symbols from
657 # getting into the database in the first place. If someone managed
658 # to get them into the database (perhaps using an older version)
659 # we'll convert symbols to strings when loading from the
660 # database. (Otherwise, loading and saving an object with existing
661 # symbols in a serialized field will crash.)
662 self.class.serialized_attributes.each do |colname, attr|
663 if self.class.has_symbols? attributes[colname]
664 attributes[colname] = self.class.recursive_stringify attributes[colname]
666 self.class.recursive_stringify(attributes[colname]))
671 def foreign_key_attributes
672 attributes.keys.select { |a| a.match(/_uuid$/) }
675 def skip_uuid_read_permission_check
676 %w(modified_by_client_uuid)
679 def skip_uuid_existence_check
683 def normalize_collection_uuids
684 foreign_key_attributes.each do |attr|
685 attr_value = send attr
686 if attr_value.is_a? String and
687 attr_value.match(/^[0-9a-f]{32,}(\+[@\w]+)*$/)
689 send "#{attr}=", Collection.normalize_uuid(attr_value)
691 # TODO: abort instead of silently accepting unnormalizable value?
697 @@prefixes_hash = nil
698 def self.uuid_prefixes
699 unless @@prefixes_hash
701 Rails.application.eager_load!
702 ActiveRecord::Base.descendants.reject(&:abstract_class?).each do |k|
703 if k.respond_to?(:uuid_prefix)
704 @@prefixes_hash[k.uuid_prefix] = k
711 def self.uuid_like_pattern
712 "#{Rails.configuration.uuid_prefix}-#{uuid_prefix}-_______________"
716 %r/[a-z0-9]{5}-#{uuid_prefix}-[a-z0-9]{15}/
719 def ensure_valid_uuids
720 specials = [system_user_uuid]
722 foreign_key_attributes.each do |attr|
723 if new_record? or send (attr + "_changed?")
724 next if skip_uuid_existence_check.include? attr
725 attr_value = send attr
726 next if specials.include? attr_value
728 if (r = ArvadosModel::resource_class_for_uuid attr_value)
729 unless skip_uuid_read_permission_check.include? attr
730 r = r.readable_by(current_user)
732 if r.where(uuid: attr_value).count == 0
733 errors.add(attr, "'#{attr_value}' not found")
750 def self.readable_by (*u)
755 [{:uuid => u[:uuid]}]
759 def self.resource_class_for_uuid(uuid)
760 if uuid.is_a? ArvadosModel
763 unless uuid.is_a? String
767 uuid.match HasUuid::UUID_REGEX do |re|
768 return uuid_prefixes[re[1]] if uuid_prefixes[re[1]]
771 if uuid.match(/.+@.+/)
778 # ArvadosModel.find_by_uuid needs extra magic to allow it to return
779 # an object in any class.
780 def self.find_by_uuid uuid
781 if self == ArvadosModel
782 # If called directly as ArvadosModel.find_by_uuid rather than via subclass,
783 # delegate to the appropriate subclass based on the given uuid.
784 self.resource_class_for_uuid(uuid).find_by_uuid(uuid)
790 def is_audit_logging_enabled?
791 return !(Rails.configuration.max_audit_log_age.to_i == 0 &&
792 Rails.configuration.max_audit_log_delete_batch.to_i > 0)
796 if is_audit_logging_enabled?
797 @old_attributes = Marshal.load(Marshal.dump(attributes))
798 @old_logged_attributes = Marshal.load(Marshal.dump(logged_attributes))
802 def log_change(event_type)
803 if is_audit_logging_enabled?
804 log = Log.new(event_type: event_type).fill_object(self)
812 if is_audit_logging_enabled?
813 log_change('create') do |log|
814 log.fill_properties('old', nil, nil)
821 if is_audit_logging_enabled?
822 log_change('update') do |log|
823 log.fill_properties('old', etag(@old_attributes), @old_logged_attributes)
830 if is_audit_logging_enabled?
831 log_change('delete') do |log|
832 log.fill_properties('old', etag(@old_attributes), @old_logged_attributes)