4

编辑:根据@max 的建议,我将模型更改为使用枚举,但是我无法测试它的默认状态:

it { is_expected.to validate_inclusion_of(:status).to_allow("draft", "published") }

在模型中使用以下代码可以正常工作:

validates :status,        :inclusion => { :in => ["draft", "published"] }

但这部分仍然失败:

it { is_expected.to have_field(:status).with_default_value_of("draft") }

请注意,我使用的是 Mongoid。我的模型规格中有这个:

旧问题 - 留作参考?

it { is_expected.to have_field(:published).of_type(Boolean).with_default_value_of(false) }

在我的模型中,我有这个:

field :published,         type: Mongoid::Boolean,     default: false

然而还是不行。我试过删除 Mongoid 位但得到同样的错误:

Failure/Error: it { is_expected.to have_field(:published).of_type(Boolean).with_default_value_of(false) } Expected Post to have field named "published" of type Boolean with default value of false, got field "published" of type Mongoid::Boolean

注意:我也试过:

field :published,         type: Boolean,     default: false

并在我的模型中添加了以下方法:

after_initialize :set_published, :if => :new_record?

然后

private
def set_published
  self.published ||= false
end

但似乎没有任何效果。我错过了什么?

4

2 回答 2

2
class Article
  include Mongoid::Document
  field :published, type: Boolean, default: false
end

require 'rails_helper'

RSpec.describe Article, type: :model do
  it { is_expected.to have_field(:published)
                      .of_type(Mongoid::Boolean)
                      .with_default_value_of(false) }
end

通过完美无缺mongoid (4.0.2)mongoid-rspec (2.1.0)

但坦率地说,对模型状态使用布尔值是次优的。

如果您考虑博客文章或文章,它可能是:

 1. draft
 2. published
 3. deleted
 4. ... 

在模型中添加 N 个开关很麻烦 - 一个很棒的解决方案是使用 Enums。

首先编写规范:

RSpec.describe Article, type: :model do

  specify 'the default status of an article should be :draft' do
    expect(subject.status).to eq :draft
  end

  # or with rspec-its
  # its(:status) { should eq :draft }
end

然后添加gem "mongoid-enum"到您的 Gemfile。

最后添加枚举字段:

class Article
  include Mongoid::Document
  include Mongoid::Enum
  enum :status, [:draft, :published]
end

枚举添加了所有这些令人敬畏的东西:

Article.published # Scope to get all published articles
article.published? # Interrogation methods for each state.
article.published! # sets the status
于 2015-07-08T17:47:13.020 回答
2

如果我理解正确,你在你的模型中都试过了Mongoid::BooleanBoolean但在测试中没有。

鉴于测试失败消息,我认为应该是:

it { is_expected.to have_field(:published).of_type(Mongoid::Boolean).with_default_value_of(false) }

field :published, type: Mongoid::Boolean, default: false在你的模型中)

第二个问题

您是否知道这have_field是对视图(生成的 HTML)进行测试,而不是检查该字段是否存在于数据库中?

如果没有您的观点代码,我们将无法帮助您。

要检查默认值是否为draft,我不知道有任何内置的 Rails 测试方法,因此您应该手动进行。首先创建模型的新实例,保存它,然后检查发布的字段是否具有draft值。

我不熟悉 Rspec 和您正在使用的语法,但它应该类似于(假设您的模型名为Post):

before {
    @post = Post.new
    # some initialization code if needed
    @post.save
}
expect(@post.published).to be("draft")
于 2015-07-08T17:53:34.567 回答