あるフィールドの存在を検証するにはどうすればよいですか?
回答:
次のように数値検証に条件を追加すると、コードは機能します。
class Transaction < ActiveRecord::Base
validates_presence_of :date
validates_presence_of :name
validates_numericality_of :charge, allow_nil: true
validates_numericality_of :payment, allow_nil: true
validate :charge_xor_payment
private
def charge_xor_payment
unless charge.blank? ^ payment.blank?
errors.add(:base, "Specify a charge or a payment, not both")
end
end
end
これはRails 3以降ではもっと慣用的だと思います:
例:user_name
またはのいずれかemail
が存在することを検証するには:
validates :user_name, presence: true, unless: ->(user){user.email.present?}
validates :email, presence: true, unless: ->(user){user.user_name.present?}
class Transaction < ActiveRecord::Base
validates_presence_of :date
validates_presence_of :name
validates_numericality_of :charge, allow_nil: true
validates_numericality_of :payment, allow_nil: true
validate :charge_xor_payment
private
def charge_xor_payment
if [charge, payment].compact.count != 1
errors.add(:base, "Specify a charge or a payment, not both")
end
end
end
3つ以上の値でこれを行うこともできます。
if [month_day, week_day, hour].compact.count != 1
レールの例3。
class Transaction < ActiveRecord::Base
validates_presence_of :date
validates_presence_of :name
validates_numericality_of :charge, :unless => proc{|obj| obj.charge.blank?}
validates_numericality_of :payment, :unless => proc{|obj| obj.payment.blank?}
validate :charge_xor_payment
private
def charge_xor_payment
if !(charge.blank? ^ payment.blank?)
errors[:base] << "Specify a charge or a payment, not both"
end
end
end
この質問に対する私の回答を以下に示します。この例:description
で:keywords
は、これは空白ではないフィールドです。
validate :some_was_present
belongs_to :seo_customable, polymorphic: true
def some_was_present
desc = description.blank?
errors.add(desc ? :description : :keywords, t('errors.messages.blank')) if desc && keywords.blank?
end
:ifおよび:unlessでProcまたはSymbolを使用した検証は、検証が発生する直前に呼び出されます。
したがって、両方のフィールドのいずれかが存在すると、次のようになります。
validates :charge,
presence: true,
if: ->(user){user.charge.present? || user.payment.present?}
validates :payment,
presence: true,
if: ->(user){user.payment.present? || user.charge.present?}
(スニペットの例)コードには、:if
または:unless
最新のアイテムがありますが、docで宣言されているように、検証が行われる直前に呼び出されます-したがって、条件が一致した場合、別のチェックが後に機能します。