2

I'm trying to write a spec for a really long time.

I need to test this:

expect(Foo).to receive(:bar).with(some_args)

and everything would work just fine unless Foo received bar only once. But it will receive bar several times for sure so that the string higher fails with

#<Foo (class)> received :bar with unexpected arguments

on those calls.

How can I test that Foo receives bar with the exact arguments I need and ignore other cases?

Ngoral
  • 2,332
  • 2
  • 13
  • 31

1 Answers1

1

What about using allow(Foo).to receive(:bar).and_call_original?

For example, these tests will successfully pass:

class Foo
  def boo(b)
    b
  end
end

describe Foo do
  let(:a) { Foo.new }

  before do
    allow(a).to receive(:boo).and_call_original
  end

  it do
    expect(a).to receive(:boo).with(2)

    expect(a.boo(1)).to eq 1
    expect(a.boo(2)).to eq 2
    expect(a.boo(3)).to eq 3
  end
end

If you add expect(a).to receive(:boo).with(4) to the block, the test will fail. It seems like what you're looking for, right?

Igor Drozdov
  • 13,491
  • 5
  • 33
  • 50
  • That's it. I thought I tried it and that didn't work out. But I tried once again now and it all done, thanx! (I must have forgotten to save changes when tried it on my own, cause I had exact this line commented out:) ) – Ngoral Jul 26 '17 at 20:56