1

我正在尝试编写测试来验证 RoR 模型中字段的唯一性。

我正在开发 Ruby on Rails 应用程序,我用它来练习我的 TDD 技能。到目前为止,我一直使用 Internet 作为我的资源。我正在编写模型验证测试。我不会使用“should”、“FactoryGirl”(等)gem。我知道使用这些 gem 可以为我节省大量编码,但我最终会使用这些 gem。我想学习如何在没有 gem 的情况下自己编写 rspec 测试,以帮助我了解如何编写测试。到目前为止,我做得很好,直到“唯一性”测试。

如何在不使用“should”、“FactoryGirl”(等)gem 的情况下创建测试以验证“用户”模型中“电子邮件”字段的唯一性。我知道使用这些 gem 会节省大量编码,但我最终会使用这些 gem。我想学习如何在没有 gem 的情况下自己编写 rspec 测试,以帮助我了解如何编写测试。

Stackoverflow(以及网络上的其他地方)对这个问题的大多数“答案”都包括使用这些辅助 gem。但是没有宝石就找不到答案。

这是模型,User.rb ```

class User < ApplicationRecord
  validate: :name, :email, presence: true
  validates :name, length: { minimum: 2 }
  validates :name, length: { maximum: 50 }
  # validates_format_of :email, with: /\A([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z]{2,})\Z/i
  validates :email, format: { with: /\A([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z]{2,})\z/i, on: :create }
  validates :email, uniqueness: true
end

And here is `user_spec.rb`.

require 'rails_helper'

RSpec.describe User, type: :model do
  subject {
    described_class.new(name: 'John', email: 'john@home.xyz')
  }

  describe 'Validation' do
    it 'is valid with valid attributes' do
      expect(subject).to be_valid
    end

    it 'is not valid without name' do
      subject.name = nil
      expect(subject).to_not be_valid
    end

    it 'is not valid without email' do
      subject.email = nil
      expect(subject).to_not be_valid
    end

    (...)

    it 'is invalid if the email is not unique' do
      expect(????????).to_not be_valid
    end

  end
end

```

我如何写来测试唯一性。我应该使用“主题”以外的其他东西进行测试吗?请记住,这次我不想要使用 gems (Shoulda/FactoryGirl/etc) 的解决方案。

在过去的几天里,我一直在这样做,但没有运气。有什么解决办法吗?Ruby on Rails 上关于 rspec 的最佳教程在哪里?

4

2 回答 2

3

要测试唯一性,首先您必须创建一个用户,其电子邮件地址与subject. 然后,subject由于电子邮件的唯一性验证,您将无效。

就像是:

before { described_class.create!(name: 'foo', email: 'john@home.xyz') }
it 'is invalid if the email is not unique' do
  expect(subject).to be_invalid
end
于 2018-05-17T12:57:51.670 回答
0

好的,我让它工作了。好的,在@Jagdeep Singh 的建议下,我编写了这个测试:

```

context 'when email is not unique' do
  before { described_class.create!(name: 'foo', email: 'john@home.xyz') }
  it {expect(subject).to be_invalid}
end

context 'when email is unique' do
  before { described_class.create!(name: 'foo', email: 'jane@home.xyz') }
  it {expect(subject).to be_valid}
end

``` 并且它似乎通过了测试。我添加了其他测试来测试有效的唯一性。谢谢您的帮助。

我决定重写整个测试以使其context更加清晰易读。这是我的重写:

# frozen_string_literal: true

require 'rails_helper'

RSpec.describe User, type: :model do
  subject {
    described_class.new(name: 'John', email: 'john@home.xyz')
  }

  describe '.validation' do



    context 'when email is not unique' do
      before { described_class.create!(name: 'foo', email: 'john@home.xyz') }
      it {expect(subject).to be_invalid}
    end

    context 'when email is  unique' do
      before { described_class.create!(name: 'foo', email: 'jane@home.xyz') }
      it {expect(subject).to be_valid}
    end

  end
end
于 2018-05-18T15:11:28.083 回答