summaryrefslogtreecommitdiff
path: root/app/models/concerns/atomic_internal_id.rb
blob: 343edc237c9e9b174bfb91ebf08e8081dcdcb6b0 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
# Include atomic internal id generation scheme for a model
#
# This allows to atomically generate internal ids that are
# unique within a given scope.
#
# For example, let's generate internal ids for Issue per Project:
# ```
# class Issue < ActiveRecord::Base
#   has_internal_id :iid, scope: :project, init: ->(s) { s.project.issues.maximum(:iid) }
# end
# ```
#
# This generates unique internal ids per project for newly created issues.
# The generated internal id is saved in the `iid` attribute of `Issue`.
#
# This concern uses InternalId records to facilitate atomicity.
# In the absence of a record for the given scope, one will be created automatically.
# In this situation, the `init` block is called to calculate the initial value.
# In the example above, we calculate the maximum `iid` of all issues
# within the given project.
#
# Note that a model may have more than one internal id associated with possibly
# different scopes.
module AtomicInternalId
  extend ActiveSupport::Concern

  module ClassMethods
    def has_internal_id(on, scope:, usage: nil, init:) # rubocop:disable Naming/PredicateName
      before_validation(on: :create) do
        if self.public_send(on).blank? # rubocop:disable GitlabSecurity/PublicSend
          scope_attrs = { scope => self.public_send(scope) } # rubocop:disable GitlabSecurity/PublicSend
          usage = (usage || self.class.table_name).to_sym

          new_iid = InternalId.generate_next(self, scope_attrs, usage, init)
          self.public_send("#{on}=", new_iid) # rubocop:disable GitlabSecurity/PublicSend
        end
      end

      validates on, presence: true, numericality: true
    end
  end

  def to_param
    iid.to_s
  end
end