0

我们有一个多租户应用程序,其中每个帐户的验证都不同。我们可以很容易地实现这一点,如下所示,

module CommonValidator
  def add_custom_validation
    required_fields = get_required_fields
    return if required_fields.blank?

    validates_presence_of required_fields.map(&:to_sym)
  end
end

class ApplicationRecord < ActiveRecord::Base
  include Discard::Model
  include CommonValidator
end

然后我们必须添加基于帐户的唯一性验证,所以尝试相同。但得到未定义的方法错误。有什么办法可以让我完成这项工作吗?

module CommonValidator
  def add_custom_validation
    unique_fields = ['first_name']
    validates_uniqueness_of unique_fields.map(&:to_sym) if unique_fields.present?
  end
end

错误

4

1 回答 1

0

validates_uniqueness_of实际上是一个类方法(在 中定义ActiveRecord::Validations::ClassMethods),因此您无法从对象的上下文中调用它。

validates_presence_of既是辅助方法,又是类方法(在ActiveModel::Validations::HelperMethods和中定义ActiveRecord::Validations::ClassMethods)。

如果您想使用唯一性验证器,您也可以将其定义add_custom_validation为类方法,然后您应该可以使用它。就像是,

require 'active_support/concern'

module CommonValidator
  extend ActiveSupport::Concern

  included do
    add_custom_validation
  end

  class_methods do
    def add_custom_validation
      required_fields = get_required_fields # This will also need to be a class method now
      return if required_fields.blank?
      
      validates_uniqueness_of required_fields.map(&:to_sym)
    end
  end
end
于 2020-11-26T17:40:58.303 回答