739be4ec93d0390e5bb1f7097d9e767be5bedbe8
[arvados.git] / services / api / app / models / collection.rb
1 # Copyright (C) The Arvados Authors. All rights reserved.
2 #
3 # SPDX-License-Identifier: AGPL-3.0
4
5 require 'arvados/keep'
6 require 'sweep_trashed_objects'
7 require 'trashable'
8
9 class Collection < ArvadosModel
10   extend CurrentApiClient
11   extend DbCurrentTime
12   include HasUuid
13   include KindAndEtag
14   include CommonApiTemplate
15   include Trashable
16
17   # Posgresql JSONB columns should NOT be declared as serialized, Rails 5
18   # already know how to properly treat them.
19   attribute :properties, :jsonbHash, default: {}
20   attribute :storage_classes_desired, :jsonbArray, default: ["default"]
21   attribute :storage_classes_confirmed, :jsonbArray, default: []
22
23   before_validation :default_empty_manifest
24   before_validation :default_storage_classes, on: :create
25   before_validation :check_encoding
26   before_validation :check_manifest_validity
27   before_validation :check_signatures
28   before_validation :strip_signatures_and_update_replication_confirmed
29   validate :ensure_pdh_matches_manifest_text
30   validate :ensure_storage_classes_desired_is_not_empty
31   validate :ensure_storage_classes_contain_non_empty_strings
32   validate :versioning_metadata_updates, on: :update
33   validate :past_versions_cannot_be_updated, on: :update
34   after_validation :set_file_count_and_total_size
35   before_save :set_file_names
36   around_update :manage_versioning, unless: :is_past_version?
37
38   api_accessible :user, extend: :common do |t|
39     t.add :name
40     t.add :description
41     t.add :properties
42     t.add :portable_data_hash
43     t.add :signed_manifest_text, as: :manifest_text
44     t.add :manifest_text, as: :unsigned_manifest_text
45     t.add :replication_desired
46     t.add :replication_confirmed
47     t.add :replication_confirmed_at
48     t.add :storage_classes_desired
49     t.add :storage_classes_confirmed
50     t.add :storage_classes_confirmed_at
51     t.add :delete_at
52     t.add :trash_at
53     t.add :is_trashed
54     t.add :version
55     t.add :current_version_uuid
56     t.add :preserve_version
57     t.add :file_count
58     t.add :file_size_total
59   end
60
61   after_initialize do
62     @signatures_checked = false
63     @computed_pdh_for_manifest_text = false
64   end
65
66   def self.attributes_required_columns
67     super.merge(
68                 # If we don't list manifest_text explicitly, the
69                 # params[:select] code gets confused by the way we
70                 # expose signed_manifest_text as manifest_text in the
71                 # API response, and never let clients select the
72                 # manifest_text column.
73                 #
74                 # We need trash_at and is_trashed to determine the
75                 # correct timestamp in signed_manifest_text.
76                 'manifest_text' => ['manifest_text', 'trash_at', 'is_trashed'],
77                 'unsigned_manifest_text' => ['manifest_text'],
78                 )
79   end
80
81   def self.ignored_select_attributes
82     super + ["updated_at", "file_names"]
83   end
84
85   def self.limit_index_columns_read
86     ["manifest_text"]
87   end
88
89   FILE_TOKEN = /^[[:digit:]]+:[[:digit:]]+:/
90   def check_signatures
91     throw(:abort) if self.manifest_text.nil?
92
93     return true if current_user.andand.is_admin
94
95     # Provided the manifest_text hasn't changed materially since an
96     # earlier validation, it's safe to pass this validation on
97     # subsequent passes without checking any signatures. This is
98     # important because the signatures have probably been stripped off
99     # by the time we get to a second validation pass!
100     if @signatures_checked && @signatures_checked == computed_pdh
101       return true
102     end
103
104     if self.manifest_text_changed?
105       # Check permissions on the collection manifest.
106       # If any signature cannot be verified, raise PermissionDeniedError
107       # which will return 403 Permission denied to the client.
108       api_token = Thread.current[:token]
109       signing_opts = {
110         api_token: api_token,
111         now: @validation_timestamp.to_i,
112       }
113       self.manifest_text.each_line do |entry|
114         entry.split.each do |tok|
115           if tok == '.' or tok.starts_with? './'
116             # Stream name token.
117           elsif tok =~ FILE_TOKEN
118             # This is a filename token, not a blob locator. Note that we
119             # keep checking tokens after this, even though manifest
120             # format dictates that all subsequent tokens will also be
121             # filenames. Safety first!
122           elsif Blob.verify_signature tok, signing_opts
123             # OK.
124           elsif Keep::Locator.parse(tok).andand.signature
125             # Signature provided, but verify_signature did not like it.
126             logger.warn "Invalid signature on locator #{tok}"
127             raise ArvadosModel::PermissionDeniedError
128           elsif !Rails.configuration.Collections.BlobSigning
129             # No signature provided, but we are running in insecure mode.
130             logger.debug "Missing signature on locator #{tok} ignored"
131           elsif Blob.new(tok).empty?
132             # No signature provided -- but no data to protect, either.
133           else
134             logger.warn "Missing signature on locator #{tok}"
135             raise ArvadosModel::PermissionDeniedError
136           end
137         end
138       end
139     end
140     @signatures_checked = computed_pdh
141   end
142
143   def strip_signatures_and_update_replication_confirmed
144     if self.manifest_text_changed?
145       in_old_manifest = {}
146       if not self.replication_confirmed.nil?
147         self.class.each_manifest_locator(manifest_text_was) do |match|
148           in_old_manifest[match[1]] = true
149         end
150       end
151
152       stripped_manifest = self.class.munge_manifest_locators(manifest_text) do |match|
153         if not self.replication_confirmed.nil? and not in_old_manifest[match[1]]
154           # If the new manifest_text contains locators whose hashes
155           # weren't in the old manifest_text, storage replication is no
156           # longer confirmed.
157           self.replication_confirmed_at = nil
158           self.replication_confirmed = nil
159         end
160
161         # Return the locator with all permission signatures removed,
162         # but otherwise intact.
163         match[0].gsub(/\+A[^+]*/, '')
164       end
165
166       if @computed_pdh_for_manifest_text == manifest_text
167         # If the cached PDH was valid before stripping, it is still
168         # valid after stripping.
169         @computed_pdh_for_manifest_text = stripped_manifest.dup
170       end
171
172       self[:manifest_text] = stripped_manifest
173     end
174     true
175   end
176
177   def ensure_pdh_matches_manifest_text
178     if not manifest_text_changed? and not portable_data_hash_changed?
179       true
180     elsif portable_data_hash.nil? or not portable_data_hash_changed?
181       self.portable_data_hash = computed_pdh
182     elsif portable_data_hash !~ Keep::Locator::LOCATOR_REGEXP
183       errors.add(:portable_data_hash, "is not a valid locator")
184       false
185     elsif portable_data_hash[0..31] != computed_pdh[0..31]
186       errors.add(:portable_data_hash,
187                  "'#{portable_data_hash}' does not match computed hash '#{computed_pdh}'")
188       false
189     else
190       # Ignore the client-provided size part: always store
191       # computed_pdh in the database.
192       self.portable_data_hash = computed_pdh
193     end
194   end
195
196   def set_file_names
197     if self.manifest_text_changed?
198       self.file_names = manifest_files
199     end
200     true
201   end
202
203   def set_file_count_and_total_size
204     # Only update the file stats if the manifest changed
205     if self.manifest_text_changed?
206       m = Keep::Manifest.new(self.manifest_text)
207       self.file_size_total = m.files_size
208       self.file_count = m.files_count
209     # If the manifest didn't change but the attributes did, ignore the changes
210     elsif self.file_count_changed? || self.file_size_total_changed?
211       self.file_count = self.file_count_was
212       self.file_size_total = self.file_size_total_was
213     end
214     true
215   end
216
217   def manifest_files
218     return '' if !self.manifest_text
219
220     done = {}
221     names = ''
222     self.manifest_text.scan(/ \d+:\d+:(\S+)/) do |name|
223       next if done[name]
224       done[name] = true
225       names << name.first.gsub('\040',' ') + "\n"
226     end
227     self.manifest_text.scan(/^\.\/(\S+)/m) do |stream_name|
228       next if done[stream_name]
229       done[stream_name] = true
230       names << stream_name.first.gsub('\040',' ') + "\n"
231     end
232     names
233   end
234
235   def default_empty_manifest
236     self.manifest_text ||= ''
237   end
238
239   def skip_uuid_existence_check
240     # Avoid checking the existence of current_version_uuid, as it's
241     # assigned on creation of a new 'current version' collection, so
242     # the collection's UUID only lives on memory when the validation check
243     # is performed.
244     ['current_version_uuid']
245   end
246
247   def manage_versioning
248     should_preserve_version = should_preserve_version? # Time sensitive, cache value
249     return(yield) unless (should_preserve_version || syncable_updates.any?)
250
251     # Put aside the changes because with_lock forces a record reload
252     changes = self.changes
253     snapshot = nil
254     with_lock do
255       # Copy the original state to save it as old version
256       if should_preserve_version
257         snapshot = self.dup
258         snapshot.uuid = nil # Reset UUID so it's created as a new record
259         snapshot.created_at = self.created_at
260       end
261
262       # Restore requested changes on the current version
263       changes.keys.each do |attr|
264         if attr == 'preserve_version' && changes[attr].last == false
265           next # Ignore false assignment, once true it'll be true until next version
266         end
267         self.attributes = {attr => changes[attr].last}
268         if attr == 'uuid'
269           # Also update the current version reference
270           self.attributes = {'current_version_uuid' => changes[attr].last}
271         end
272       end
273
274       if should_preserve_version
275         self.version += 1
276         self.preserve_version = false
277       end
278
279       yield
280
281       sync_past_versions if syncable_updates.any?
282       if snapshot
283         snapshot.attributes = self.syncable_updates
284         leave_modified_by_user_alone do
285           act_as_system_user do
286             snapshot.save
287           end
288         end
289       end
290     end
291   end
292
293   def syncable_updates
294     updates = {}
295     (syncable_attrs & self.changes.keys).each do |attr|
296       if attr == 'uuid'
297         # Point old versions to current version's new UUID
298         updates['current_version_uuid'] = self.changes[attr].last
299       else
300         updates[attr] = self.changes[attr].last
301       end
302     end
303     return updates
304   end
305
306   def sync_past_versions
307     updates = self.syncable_updates
308     Collection.where('current_version_uuid = ? AND uuid != ?', self.uuid_was, self.uuid_was).each do |c|
309       c.attributes = updates
310       # Use a different validation context to skip the 'past_versions_cannot_be_updated'
311       # validator, as on this case it is legal to update some fields.
312       leave_modified_by_user_alone do
313         leave_modified_at_alone do
314           c.save(context: :update_old_versions)
315         end
316       end
317     end
318   end
319
320   def versionable_updates?(attrs)
321     (['manifest_text', 'description', 'properties', 'name'] & attrs).any?
322   end
323
324   def syncable_attrs
325     ['uuid', 'owner_uuid', 'delete_at', 'trash_at', 'is_trashed', 'replication_desired', 'storage_classes_desired']
326   end
327
328   def is_past_version?
329     if !new_record? && self.current_version_uuid_was != self.uuid_was
330       return true
331     else
332       return false
333     end
334   end
335
336   def should_preserve_version?
337     return false unless (Rails.configuration.Collections.CollectionVersioning && versionable_updates?(self.changes.keys))
338
339     idle_threshold = Rails.configuration.Collections.PreserveVersionIfIdle
340     if !self.preserve_version_was &&
341       (idle_threshold < 0 ||
342         (idle_threshold > 0 && self.modified_at_was > db_current_time-idle_threshold.seconds))
343       return false
344     end
345     return true
346   end
347
348   def check_encoding
349     if !(manifest_text.encoding.name == 'UTF-8' and manifest_text.valid_encoding?)
350       begin
351         # If Ruby thinks the encoding is something else, like 7-bit
352         # ASCII, but its stored bytes are equal to the (valid) UTF-8
353         # encoding of the same string, we declare it to be a UTF-8
354         # string.
355         utf8 = manifest_text
356         utf8.force_encoding Encoding::UTF_8
357         if utf8.valid_encoding? and utf8 == manifest_text.encode(Encoding::UTF_8)
358           self.manifest_text = utf8
359           return true
360         end
361       rescue
362       end
363       errors.add :manifest_text, "must use UTF-8 encoding"
364       throw(:abort)
365     end
366   end
367
368   def check_manifest_validity
369     begin
370       Keep::Manifest.validate! manifest_text
371       true
372     rescue ArgumentError => e
373       errors.add :manifest_text, e.message
374       throw(:abort)
375     end
376   end
377
378   def signed_manifest_text
379     if !has_attribute? :manifest_text
380       return nil
381     elsif is_trashed
382       return manifest_text
383     else
384       token = Thread.current[:token]
385       exp = [db_current_time.to_i + Rails.configuration.Collections.BlobSigningTTL.to_i,
386              trash_at].compact.map(&:to_i).min
387       self.class.sign_manifest manifest_text, token, exp
388     end
389   end
390
391   def self.sign_manifest manifest, token, exp=nil
392     if exp.nil?
393       exp = db_current_time.to_i + Rails.configuration.Collections.BlobSigningTTL.to_i
394     end
395     signing_opts = {
396       api_token: token,
397       expire: exp,
398     }
399     m = munge_manifest_locators(manifest) do |match|
400       Blob.sign_locator(match[0], signing_opts)
401     end
402     return m
403   end
404
405   def self.munge_manifest_locators manifest
406     # Given a manifest text and a block, yield the regexp MatchData
407     # for each locator. Return a new manifest in which each locator
408     # has been replaced by the block's return value.
409     return nil if !manifest
410     return '' if manifest == ''
411
412     new_lines = []
413     manifest.each_line do |line|
414       line.rstrip!
415       new_words = []
416       line.split(' ').each do |word|
417         if new_words.empty?
418           new_words << word
419         elsif match = Keep::Locator::LOCATOR_REGEXP.match(word)
420           new_words << yield(match)
421         else
422           new_words << word
423         end
424       end
425       new_lines << new_words.join(' ')
426     end
427     new_lines.join("\n") + "\n"
428   end
429
430   def self.each_manifest_locator manifest
431     # Given a manifest text and a block, yield the regexp match object
432     # for each locator.
433     manifest.each_line do |line|
434       # line will have a trailing newline, but the last token is never
435       # a locator, so it's harmless here.
436       line.split(' ').each do |word|
437         if match = Keep::Locator::LOCATOR_REGEXP.match(word)
438           yield(match)
439         end
440       end
441     end
442   end
443
444   def self.normalize_uuid uuid
445     hash_part = nil
446     size_part = nil
447     uuid.split('+').each do |token|
448       if token.match(/^[0-9a-f]{32,}$/)
449         raise "uuid #{uuid} has multiple hash parts" if hash_part
450         hash_part = token
451       elsif token.match(/^\d+$/)
452         raise "uuid #{uuid} has multiple size parts" if size_part
453         size_part = token
454       end
455     end
456     raise "uuid #{uuid} has no hash part" if !hash_part
457     [hash_part, size_part].compact.join '+'
458   end
459
460   def self.get_compatible_images(readers, pattern, collections)
461     if collections.empty?
462       return []
463     end
464
465     migrations = Hash[
466       Link.where('tail_uuid in (?) AND link_class=? AND links.owner_uuid=?',
467                  collections.map(&:portable_data_hash),
468                  'docker_image_migration',
469                  system_user_uuid).
470       order('links.created_at asc').
471       map { |l|
472         [l.tail_uuid, l.head_uuid]
473       }]
474
475     migrated_collections = Hash[
476       Collection.readable_by(*readers).
477       where('portable_data_hash in (?)', migrations.values).
478       map { |c|
479         [c.portable_data_hash, c]
480       }]
481
482     collections.map { |c|
483       # Check if the listed image is compatible first, if not, then try the
484       # migration link.
485       manifest = Keep::Manifest.new(c.manifest_text)
486       if manifest.exact_file_count?(1) and manifest.files[0][1] =~ pattern
487         c
488       elsif m = migrated_collections[migrations[c.portable_data_hash]]
489         manifest = Keep::Manifest.new(m.manifest_text)
490         if manifest.exact_file_count?(1) and manifest.files[0][1] =~ pattern
491           m
492         end
493       end
494     }.compact
495   end
496
497   # Resolve a Docker repo+tag, hash, or collection PDH to an array of
498   # Collection objects, sorted by timestamp starting with the most recent
499   # match.
500   #
501   # If filter_compatible_format is true (the default), only return image
502   # collections which are support by the installation as indicated by
503   # Rails.configuration.Containers.SupportedDockerImageFormats.  Will follow
504   # 'docker_image_migration' links if search_term resolves to an incompatible
505   # image, but an equivalent compatible image is available.
506   def self.find_all_for_docker_image(search_term, search_tag=nil, readers=nil, filter_compatible_format: true)
507     readers ||= [Thread.current[:user]]
508     base_search = Link.
509       readable_by(*readers).
510       readable_by(*readers, table_name: "collections").
511       joins("JOIN collections ON links.head_uuid = collections.uuid").
512       order("links.created_at DESC")
513
514     docker_image_formats = Rails.configuration.Containers.SupportedDockerImageFormats
515
516     if (docker_image_formats.include? 'v1' and
517         docker_image_formats.include? 'v2') or filter_compatible_format == false
518       pattern = /^(sha256:)?[0-9A-Fa-f]{64}\.tar$/
519     elsif docker_image_formats.include? 'v2'
520       pattern = /^(sha256:)[0-9A-Fa-f]{64}\.tar$/
521     elsif docker_image_formats.include? 'v1'
522       pattern = /^[0-9A-Fa-f]{64}\.tar$/
523     else
524       raise "Unrecognized configuration for docker_image_formats #{docker_image_formats}"
525     end
526
527     # If the search term is a Collection locator that contains one file
528     # that looks like a Docker image, return it.
529     if loc = Keep::Locator.parse(search_term)
530       loc.strip_hints!
531       coll_match = readable_by(*readers).where(portable_data_hash: loc.to_s).limit(1)
532       rc = Rails.configuration.RemoteClusters.select{ |k|
533         k != :"*" && k != Rails.configuration.ClusterID}
534       if coll_match.any? or rc.length == 0
535         return get_compatible_images(readers, pattern, coll_match)
536       else
537         # Allow bare pdh that doesn't exist in the local database so
538         # that federated container requests which refer to remotely
539         # stored containers will validate.
540         return [Collection.new(portable_data_hash: loc.to_s)]
541       end
542     end
543
544     if search_tag.nil? and (n = search_term.index(":"))
545       search_tag = search_term[n+1..-1]
546       search_term = search_term[0..n-1]
547     end
548
549     # Find Collections with matching Docker image repository+tag pairs.
550     matches = base_search.
551       where(link_class: "docker_image_repo+tag",
552             name: "#{search_term}:#{search_tag || 'latest'}")
553
554     # If that didn't work, find Collections with matching Docker image hashes.
555     if matches.empty?
556       matches = base_search.
557         where("link_class = ? and links.name LIKE ?",
558               "docker_image_hash", "#{search_term}%")
559     end
560
561     # Generate an order key for each result.  We want to order the results
562     # so that anything with an image timestamp is considered more recent than
563     # anything without; then we use the link's created_at as a tiebreaker.
564     uuid_timestamps = {}
565     matches.each do |link|
566       uuid_timestamps[link.head_uuid] = [(-link.properties["image_timestamp"].to_datetime.to_i rescue 0),
567        -link.created_at.to_i]
568      end
569
570     sorted = Collection.where('uuid in (?)', uuid_timestamps.keys).sort_by { |c|
571       uuid_timestamps[c.uuid]
572     }
573     compatible = get_compatible_images(readers, pattern, sorted)
574     if sorted.length > 0 and compatible.empty?
575       raise ArvadosModel::UnresolvableContainerError.new "Matching Docker image is incompatible with 'docker_image_formats' configuration."
576     end
577     compatible
578   end
579
580   def self.for_latest_docker_image(search_term, search_tag=nil, readers=nil)
581     find_all_for_docker_image(search_term, search_tag, readers).first
582   end
583
584   def self.searchable_columns operator
585     super - ["manifest_text"]
586   end
587
588   def self.full_text_searchable_columns
589     super - ["manifest_text", "storage_classes_desired", "storage_classes_confirmed", "current_version_uuid"]
590   end
591
592   def self.where *args
593     SweepTrashedObjects.sweep_if_stale
594     super
595   end
596
597   protected
598
599   # Although the defaults for these columns is already set up on the schema,
600   # collection creation from an API client seems to ignore them, making the
601   # validation on empty desired storage classes return an error.
602   def default_storage_classes
603     if self.storage_classes_desired.nil? || self.storage_classes_desired.empty?
604       self.storage_classes_desired = ["default"]
605     end
606     self.storage_classes_confirmed ||= []
607   end
608
609   def portable_manifest_text
610     self.class.munge_manifest_locators(manifest_text) do |match|
611       if match[2] # size
612         match[1] + match[2]
613       else
614         match[1]
615       end
616     end
617   end
618
619   def compute_pdh
620     portable_manifest = portable_manifest_text
621     (Digest::MD5.hexdigest(portable_manifest) +
622      '+' +
623      portable_manifest.bytesize.to_s)
624   end
625
626   def computed_pdh
627     if @computed_pdh_for_manifest_text == manifest_text
628       return @computed_pdh
629     end
630     @computed_pdh = compute_pdh
631     @computed_pdh_for_manifest_text = manifest_text.dup
632     @computed_pdh
633   end
634
635   def ensure_permission_to_save
636     if (not current_user.andand.is_admin)
637       if (replication_confirmed_at_changed? or replication_confirmed_changed?) and
638         not (replication_confirmed_at.nil? and replication_confirmed.nil?)
639         raise ArvadosModel::PermissionDeniedError.new("replication_confirmed and replication_confirmed_at attributes cannot be changed, except by setting both to nil")
640       end
641       if (storage_classes_confirmed_changed? or storage_classes_confirmed_at_changed?) and
642         not (storage_classes_confirmed == [] and storage_classes_confirmed_at.nil?)
643         raise ArvadosModel::PermissionDeniedError.new("storage_classes_confirmed and storage_classes_confirmed_at attributes cannot be changed, except by setting them to [] and nil respectively")
644       end
645     end
646     super
647   end
648
649   def ensure_storage_classes_desired_is_not_empty
650     if self.storage_classes_desired.empty?
651       raise ArvadosModel::InvalidStateTransitionError.new("storage_classes_desired shouldn't be empty")
652     end
653   end
654
655   def ensure_storage_classes_contain_non_empty_strings
656     (self.storage_classes_desired + self.storage_classes_confirmed).each do |c|
657       if !c.is_a?(String) || c == ''
658         raise ArvadosModel::InvalidStateTransitionError.new("storage classes should only be non-empty strings")
659       end
660     end
661   end
662
663   def past_versions_cannot_be_updated
664     # We check for the '_was' values just in case the update operation
665     # includes a change on current_version_uuid or uuid.
666     if is_past_version?
667       errors.add(:base, "past versions cannot be updated")
668       false
669     end
670   end
671
672   def versioning_metadata_updates
673     valid = true
674     if !is_past_version? && current_version_uuid_changed?
675       errors.add(:current_version_uuid, "cannot be updated")
676       valid = false
677     end
678     if version_changed?
679       errors.add(:version, "cannot be updated")
680       valid = false
681     end
682     valid
683   end
684
685   def assign_uuid
686     super
687     self.current_version_uuid ||= self.uuid
688     true
689   end
690 end