Wednesday, May 11, 2011

Cucumber with using Rspec should_receive

I recently came across a case where I wanted to use a should_receive test in cucumber. The basic idea is that I was attempting to prevent Apache library code from calling out to the system, while simultaneously testing that the correct function was actually called. In Rspec (which backs cucumber in my setup) it is simply:

x = Core::Apache.new
x.should_receive(:restart).and_return ''
x.some_method_that_calls_restart
view raw test.rb hosted with ❤ by GitHub


At the end of the test if restart has not been called then the entire test fails. Because of the way that cucumber works with rspec 1.3 (rails 2.x, which is required by the project) registering a should_receive has no effect (seems this is fixed in the cucumber/rspec versions for rails 3). Even if it were to work it would mean putting a Then before the When or putting a test in a Given. To me that just seems wrong.

Scenario: Apache restart
Given Apache is running
Then Apache should restart
When I go to the apache page
And I click restart
view raw apache.feature hosted with ❤ by GitHub


What I had to do to simulate a should_receive but still maintain the flow of the scenario was break it up so that I stub the function and when that function is called I set a flag. Later I test that the flag is set.

Scenario: Apache restart again
Given Apache is running
And Apache can restart
When I go to the apache page
And I click restart
Then Apache should restart


The step that sets the flag is Apache can restart and the one that tests is Apache should restart. Here are the step definitions:

Given /^Apache can restart$/ do
x = Apache.new
Apache.stub!(:new).and_return x # or not everyone gets my stub
x.stub!(:restart) do |args|
@apache_restart = true
'apache restarted'
end
end
Then /^Apache should restart$/ do
@apache_restart.should be_true
end
view raw apache_steps.rb hosted with ❤ by GitHub