rspec会记住`subject`块吗?

时间:2013-10-27 01:59:03

标签: rspec subject behaviorsubject

我正在使用的编码标准规定,测试函数的一组规范应该具有被调用函数的主题。它看起来像这样:

define User do
  context :foo do
    let(:user) { FactoryGirl.create(:user) }
    subject { user.foo }
    it { ... }
  end
end

subject块的典型用法是实例化您正在测试的类:

define User do
  subject { FactoryGirl.create(:user) }
  it { ... }
end

我们的样式指南的预期效果是我们对每个正在测试的方法都有不同的主题块。这会减慢我们的测试速度吗?如果我们以典型的方式使用subject,我们是否会受益于内置的memoization或其他加速,每个类只有一个主题块?

协助:

我遇到过一个我们的风格不起作用的案例。使用any_instance.should_receive时,您无法遵循我们的样式指南,否则规格将始终失败。相反,您需要使用更传统的方法,其中subject是您正在测试的对象,并在您的规范中调用该方法。

# passing spec
define Foo do
  before { Bar.any_instance.stub(:baz) }
  subject { FactoryGirl.create(:foo) }
  it "bazzes Bars" do
    Bar.any_instance.should_receive(:baz)
    subject.baz_the_bars
  end
end

# spec follows style guide but fails
define Foo do
  before { Bar.any_instance.stub(:baz) }
  let(:foo) { FactoryGirl.create(:foo) }
  subject { foo.baz_the_bars }

  it "bazzes Bars" do
    Bar.any_instance.should_receive(:baz)
    subject
  end
end

class Foo
  has_many :bars

  def baz_the_bars
    bars.collect do |bar|
      bar.baz
    end.count(true)
  end
end

还有其他问题我应该注意这种风格吗?

1 个答案:

答案 0 :(得分:4)

subject是懒惰创建的,每次测试,并且范围限定为context / describe,就像let一样。不应该有任何额外的开销。

我个人并不喜欢你展示的风格,但是当我从一个方法返回非常复杂(或者只是大)的数据对象时,我做了类似的事情。

describe "A thing" do
  subject(:foo) { FactoryGirl.create(:foo) }

  # A very complicated object from this method
  describe "the result of calling frob" do
    subject(:result) { foo.frob }

    it { should be_active }
    it { should be_alive }
  end
end