私はRails v2.を使用しています
modelがある場合:
class car < ActiveRecord::Base
validate :method_1, :method_2, :method_3
...
# custom validation methods
def method_1
...
end
def method_2
...
end
def method_3
...
end
end
上記のように、私にはつのカスタム検証メソッドがあり、それらをモデル検証に使用します。
このモデルクラスに、次のようにモデルの新しいインスタンスを保存する別のメソッドがある場合:
# "flag" here is NOT a DB based attribute
def save_special_car flag
new_car=Car.new(...)
new_car.save #how to skip validation method_2 if flag==true
end
新しい車を保存するためのこの特定のメソッドでのmethod_2
の検証をスキップしたい特定の検証メソッドをスキップする方法は?
モデルをこれに更新します
class Car < ActiveRecord::Base
# depending on how you deal with mass-assignment
# protection in newer Rails versions,
# you might want to uncomment this line
#
# attr_accessible :skip_method_2
attr_accessor :skip_method_2
validate :method_1, :method_3
validate :method_2, unless: :skip_method_2
private # encapsulation is cool, so we are cool
# custom validation methods
def method_1
# ...
end
def method_2
# ...
end
def method_3
# ...
end
end
それからあなたのコントローラーに入れてください:
def save_special_car
new_car=Car.new(skip_method_2: true)
new_car.save
end
コントローラーのparams変数を介して:flag
を取得している場合は、
def save_special_car
new_car=Car.new(skip_method_2: params[:flag].present?)
new_car.save
end
条件付き検証の基本的な使用法は次のとおりです。
class Car < ActiveRecord::Base
validate :method_1
validate :method_2, :if => :perform_validation?
validate :method_3, :unless => :skip_validation?
def perform_validation?
# check some condition
end
def skip_validation?
# check some condition
end
# ... actual validation methods omitted
end
詳細については、ドキュメントをご覧ください。
それをあなたのシナリオに合わせる:
class Car < ActiveRecord::Base
validate :method_1, :method_3
validate :method_2, :unless => :flag?
attr_accessor :flag
def flag?
@flag
end
# ... actual validation methods omitted
end
car = Car.new(...)
car.flag = true
car.save
次のような検証でブロックを使用します。
validates_presence_of :your_field, :if => lambda{|e| e.your_flag ...your condition}