我想使用RSpec来确保我的可枚举类与Ruby的访问者模式兼容:
# foo.rb
class Foo
def initialize(enum)
@enum = enum
end
include Enumerable
def each(&block)
@enum.each(&block)
end
end
这是我的rspec文件:
# spec/foo_spec.rb
require 'rspec'
require './foo.rb'
describe Foo do
let(:items) { [1, 2, 3] }
describe '#each' do
it 'calls the given block each time' do
block = proc { |x| x }
block.should_receive(:call).exactly(items.size).times
Foo.new(items).each(&block)
end
end
end
但令人惊讶的是,我的示例在运行时失败(使用rspec v2.14.5):
# $ bundle exec rspec
Failures:
1) Foo#each calls the given block each time
Failure/Error: block.should_receive(:call).exactly(items.size).times
(#<Proc:0x007fbabbdf3f90@/private/tmp/rspec-mystery/spec/foo_spec.rb:8>).call(any args)
expected: 3 times with any arguments
received: 0 times with any arguments
# ./spec/foo_spec.rb:12:in `block (3 levels) in <top (required)>'
Finished in 0.00082 seconds
1 example, 1 failure
Failed examples:
rspec ./spec/foo_spec.rb:11 # Foo#each calls the given block each time
更令人惊讶的是,通过ruby / irb使用时,类本身的行为完全符合我的预期:
# $ irb -r ./foo.rb
1.9.3-p125 :002 > f = Foo.new [1, 2, 3]
=> #<Foo:0x007ffda4059f70 @enum=[1, 2, 3]>
1.9.3-p125 :003 > f.each
=> #<Enumerator: [1, 2, 3]:each>
1.9.3-p125 :004 > block = proc { |x| puts "OK: #{x}" }
=> #<Proc:0x007ffda483fcd0@(irb):4>
1.9.3-p125 :005 > f.each &block
OK: 1
OK: 2
OK: 3
=> [1, 2, 3]
答案 0 :(得分:2)
为什么RSpec没有注意到“块”确实会三次收到“呼叫”消息?
因为,AFAICT,在MRI上,它没有。
#each
不提供 Enumerable
,仅由实现它的类提供,在测试中,您使用的是数组。
以下是来自Array#each的源代码(在 C 中):
VALUE rb_ary_each(VALUE array)
{
long i;
volatile VALUE ary = array;
RETURN_SIZED_ENUMERATOR(ary, 0, 0, rb_ary_length);
for (i=0; i<RARRAY_LEN(ary); i++) {
rb_yield(RARRAY_PTR(ary)[i]);
}
return ary;
}
从这看起来,它看起来像阵列#yields
到块而不是明确地call
。
<强>更新强>:
您的代码&amp; Rubinius&amp; amp;测试失败JRuby也是如此,所以它们的标准库看起来也不使用call
。正如@mechanicalfish指出的那样,你真的只需要测试迭代器在集合上经过正确的次数。
答案 1 :(得分:2)
根据Matz在https://www.ruby-forum.com/topic/71221的评论,在被放入MRI之前,块不会变成Procs,所以可以理解的是,作为屈服过程的一部分,它们没有收到:call
。此外,我不相信有任何方法可以设置对块的期望,因为没有办法将块作为Ruby语言中的对象引用。
但是,您可以在Proc
设置他们将收到:call
消息的期望,并且事情将按照您的预期行事。