应该匹配器如何验证枚举属性的唯一性?

Shoulda-matcher How to validate uniqueness of enum attribute?

我使用 rspec-rails 和 shoulda-matcher 来测试我的模型。这是代码:

user_ticket.rb

class UserTicket < ActiveRecord::Base
  belongs_to :user
  belongs_to :ticket

  enum relation_type: %w( creator supporter )

  validates_uniqueness_of :relation_type, scope: [:user_id, :ticket_id]
end

user_ticket_spec.rb

RSpec.describe UserTicket, type: :model do
  subject { FactoryGirl.build(:user_ticket) }

  describe 'Relations' do
    it { should belong_to(:user) }
    it { should belong_to(:ticket) }
  end

  describe 'Validations' do
    it { should define_enum_for(:relation_type).with(%w( creator supporter )) }
    # PROBLEM HERE
    it { should validate_uniqueness_of(:relation_type).case_insensitive.scoped_to([:user_id, :ticket_id]) }
  end
end

当我运行测试用例时,结果总是:

Failure/Error: it { should validate_uniqueness_of(:relation_type).case_insensitive.scoped_to([:user_id, :ticket_id]) }

     ArgumentError:
       'CREATOR' is not a valid relation_type

我只是认为应该有一个匹配器想要验证某些 relation_type 值的唯一性:大写、小写等。我的问题是在这种情况下,如何通过定义的模型验证来使测试通过?

它失败是因为您要求它不区分大小写地测试 验证。通常,这将用于测试不同情况导致验证失败的一系列值。但是,由于枚举,您甚至不能设置该值;它甚至没有进入验证检查。

它正在测试对“creator”和“CREATOR”的验证(至少)。 enum 区分大小写,因此在 enum 中它们将是两个不同的值,而您只声明了“创建者”。当它试图分配“CREATOR”来测试验证时,您的 enum 很生气并拒绝允许它。

您可能想要在不区分大小写的情况下验证唯一性,在这种情况下您想要:

validate_uniqueness_of(:relation_type).ignoring_case_sensitivity

来自 validates_uniqueness_of 文档:

By default, validate_uniqueness_of will check that the validation is case sensitive: it asserts that uniquable attributes pass validation when their values are in a different case than corresponding attributes in the pre-existing record.

Use ignoring_case_sensitivity to skip this check.

或者您可能想完全跳过测试中的唯一性检查并相信 rails 只允许 enum.

中的唯一值