1

我想测试用户模型的唯一性。

我的User模型类看起来像:

class User
  include Mongoid::Document
  field :email, type: String
  embeds_one :details

  validates :email,
      presence: true,
      uniqueness: true,
      format: {
        with: /\A([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z0-9]{2,})\Z/i,
        on: :create
      },
      length: { in: 6..50 }

end

我属于模型的 rspec 测试如下所示:

...
before(:each) do
  FactoryGirl.create(:user, email: taken_mail)
end

it "with an already used email" do
  expect(FactoryGirl.create(:user, email: taken_mail)).to_not be_valid
end

在我执行之后bundle exec rspec,它总是引发下一个错误,而不是成功通过:

Failure/Error: expect(FactoryGirl.create(:user, email: taken_mail)).to_not be_valid
     Mongoid::Errors::Validations:

       Problem:
         Validation of User failed.
       Summary:
         The following errors were found: Email is already taken
       Resolution:
         Try persisting the document with valid data or remove the validations.

如果我使用它,它会成功通过:

it { should validate_uniqueness_of(:email) }

我想用expect(...). 有人可以帮帮我吗?

4

1 回答 1

2

问题是您试图将无效对象持久化到数据库中,这会引发异常并中断测试(因为电子邮件不是唯一的),甚至在使用该expect方法完成测试之前。

正确的方法是在build此处使用而不是create,它不会将对象保存在数据库中,方法是仅在内存中构建记录并允许您的测试完成其工作。因此要修复它:

expect(FactoryGirl.build(:user, email: taken_mail)).to_not be_valid

另请注意,如果您不需要将记录实际保存在数据库中,则最好使用它,因为它是一种更便宜的操作,并且您将获得相同的结果,除非由于某种原因您的记录必须保存到数据库buildcreate您的测试以您希望的方式工作,例如在您的示例中保存第一条记录。

于 2014-10-24T15:41:05.490 回答