我有 2 个模型:
class PollAnswer < ActiveRecord::Base
belongs_to :poll, inverse_of: :poll_answers
# Validations
validates :answer, presence: true, uniqueness: { scope: :poll_id, case_sensitive: false }
validates :votes_number, presence: true
validates :poll, presence: true
end
class Poll < ActiveRecord::Base
# Associations
has_many :poll_answers, inverse_of: :poll, dependent: :destroy
# Attributes
accepts_nested_attributes_for :poll_answers, reject_if: :all_blank, allow_destroy: true
# Validations
validates :question, presence: true
validate :has_minimum_2_poll_answers
private
def has_minimum_2_poll_answers
remaining_poll_answers = poll_answers.reject(&:marked_for_destruction?)
if remaining_poll_answers.size < 2
errors.add :poll_answers, I18n.t(:minimum_2_poll_answers, scope: "activerecord.errors.models.polls")
end
end
end
和一个简单的测试:
let(:new_poll_answer) { build(:poll_answer) }
let(:new_poll_answer1) { build(:poll_answer) }
let(:new_poll) { create(:poll) }
it "validates the uniqueness of an answer scoped to poll_id" do
new_poll_answer.answer = "andre"
new_poll_answer.poll = new_poll
new_poll_answer1.answer = "andre"
new_poll_answer1.poll = new_poll
expect(new_poll_answer.valid?).to eq(false)
end
它失败了:
1) PollAnswer validations validates the uniqueness of an answer scoped to poll_id
Failure/Error: expect(new_poll_answer.valid?).to eq(false)
expected: false
got: true
(compared using ==)
# ./spec/models/poll_answer_spec.rb:22:in `block (3 levels) in <top (required)>'
# -e:1:in `<main>'
任何想法为什么?
更新:
在 Marek Lipka 发表评论后,我可以看到这正是我的问题,因为这就是 accept_nested_attributes_for 的工作方式。所以它不验证唯一性。
我试过这个测试:
it "validates the uniqueness of an answer scoped to poll_id" do
new_poll_answer.answer = "andre"
new_poll_answer.poll = new_poll
new_poll_answer1.answer = "andre"
new_poll_answer1.poll = new_poll
new_poll.save
puts "#{new_poll.inspect}"
puts "#{new_poll_answer.inspect}"
puts "#{new_poll_answer1.inspect}"
expect(new_poll_answer1.valid?).to eq(false)
end
我明白了:
#<Poll id: 62, question: "Question", created_at: "2014-04-08 12:31:06", updated_at: "2014-04-08 12:31:06", active: true, published_at: "2014-04-08 11:31:06">
#<PollAnswer id: nil, answer: "andre", votes_number: 0, poll_id: 62, created_at: nil, updated_at: nil>
#<PollAnswer id: nil, answer: "andre", votes_number: 0, poll_id: 62, created_at: nil, updated_at: nil>
Failures:
1) PollAnswer validations validates the uniqueness of an answer scoped to poll_id
Failure/Error: expect(new_poll_answer1.valid?).to eq(false)
expected: false
got: true
(compared using ==)
如果您查看我对名为 has_minimum_2_poll_answers 的投票类的自定义验证,这对我来说仍然很奇怪。
我如何正确验证只有在没有具有相同答案的 poll_answers 时才应创建民意调查?