1

我在寻找测试模型中属性范围的最优雅方法时遇到了一些麻烦。我的模型看起来像:

class Entry < ActiveRecord::Base
  attr_accessible :hours

  validates :hours, presence: true, 
    :numericality => { :greater_than => 0, :less_than => 24 }
end

我的 rspec 测试看起来像:

require 'spec_helper'
describe Entry do
  let(:entry) { FactoryGirl.create(:entry) }

  subject { entry }

  it { should respond_to(:hours) }
  it { should validate_presence_of(:hours) }
  it { should validate_numericality_of(:hours) }


  it { should_not allow_value(-0.01).for(:hours) }
  it { should_not allow_value(0).for(:hours) }
  it { should_not allow_value(24).for(:hours) }
    # is there a better way to test this range?


end

这个测试有效,但有没有更好的方法来测试最小值和最大值?我的方式似乎很笨拙。测试一个值的长度似乎很容易,但我没有看到如何测试一个数字的值。我试过这样的事情:

it { should ensure_inclusion_of(:hours).in_range(0..24) }

但这预计会出现包含错误,我无法通过测试。也许我没有正确配置它?


我最终在我的两个边界之上和之下进行了测试,如下所示。因为我不限制我测试到小数点后两位的整数。我认为对于我的应用程序而言,这可能“足够好”。

it { should_not allow_value(-0.01).for(:hours) }
it { should_not allow_value(0).for(:hours) }
it { should allow_value(0.01).for(:hours) }
it { should allow_value(23.99).for(:hours) }
it { should_not allow_value(24).for(:hours) }
it { should_not allow_value(24.01).for(:hours) }
4

2 回答 2

4

您正在寻找的应该匹配器是 is_greater_than 和 is_less_than 匹配器。它们可以链接到 validate_numericality_of 匹配器,如下所示

it {should validate_numericality_of(:hours).is_greater_than(0).is_less_than(24)}

这将验证您范围内的数字是否生成有效变量,并且该范围外的数字返回的错误是正确的。您是正确的, Ensure_inclusion_of 匹配器不起作用,因为它期待不同类型的错误,但是此验证应该可以正常工作。

于 2014-03-26T21:03:29.963 回答
0

要测试是否涵盖了所有有效值,您可以编写如下内容:

it "should allow valid values" do
  (1..24).to_a.each do |v|
    should allow_value(v).for(:hours)
end

您还可以实施边界测试。对于每个边界,可以在任何边界处、上方和下方进行测试,以确保条件逻辑按 David Chelimsky-2 发布的预期工作。

因此,对于 2 个边界,您总共需要进行 6 个测试。

于 2012-09-21T21:26:16.137 回答