在没有Shoulda的Rspec中如何进行单行测试?

| 我有一堆非常重复的rspec测试,它们都具有相同的格式:
it \"inserts the correct ATTRIBUTE_NAME\" do
     @o.ATTRIBUTE_NAME.should eql(VALUE)
end
如果我可以像这样进行一线测试,那就太好了:
compare_value(ATTRIBUTE_NAME, VALUE)
但是,应该不应该针对这些类型的测试。还有其他选择吗?     
已邀请:
如果您希望它阅读得更清楚并且只有1行,我会写一个自定义的RSpec帮助器。假设我们要测试以下类:
class MyObject
  attr_accessor :first, :last, :phone

  def initialize first = nil, last = nil, phone = nil
    self.first = first
    self.last = last
    self.phone = phone
  end
end
我们可以编写以下匹配器:
RSpec::Matchers.define :have_value do |attribute, expected|
  match do |obj|
    obj.send(attribute) == expected
  end 

  description do
    \"have value #{expected} for attribute #{attribute}\" 
  end
end
然后编写测试,我们可以做类似的事情:
describe MyObject do
  h = {:first => \'wes\', :last => \'bailey\', :phone => \'111.111.1111\'}

  subject { MyObject.new h[:first], h[:last], h[:phone] }

  h.each do |k,v|
    it { should have_value k, v}
  end
end
如果将所有这些都放入文件调用matcher.rb中并​​运行它,则会输出以下内容:
> rspec -cfn matcher.rb 

MyObject
  should have value wes for attribute first
  should have value bailey for attribute last
  should have value 111.111.1111 for attribute phone

Finished in 0.00143 seconds
3 examples, 0 failures
    
有时,我很遗憾将ѭ6暴露为最终用户设备。引入它是为了支持扩展(例如
shoulda
匹配器),因此您可以编写如下示例:
it { should do_something }
但是,这样的示例不太好看:
it { subject.attribute.should do_something }
如果要显式使用
subject
,然后在示例中显式引用它,建议使用
specify
而不是
it
specify { subject.attribute.should do_something }
底层语义是相同的,但是可以大声朗读此^^。     
我发现这很有效:
specify { @o.attribute.should eql(val) }
    
subject { @o }
it { attribute.should == value }
    

要回复问题请先登录注册