Reputation: 16299
I have a step definition in which I'd like to have an optional parameter. I believe an example of two calls to this step explains better than anything else what I'm after.
I check the favorite color count
I check the favorite color count for email address '[email protected]'
In the first instance, I would like to use a default email address.
What's a good way of defining this step? I'm no regexp guru. I tried doing this but cucumber gave me an error regarding regexp argument mismatches:
Then(/^I check the favorite color count (for email address "([^"]*))*"$/) do |email = "[email protected]"|
Upvotes: 27
Views: 36428
Reputation: 11882
@larryq, you were closer to the solution than you thought...
optional.feature
:
Feature: optional parameter
Scenario: Parameter is not given
Given xyz
When I check the favorite color count
Then foo
Scenario: Parameter is given
Given xyz
When I check the favorite color count for email address '[email protected]'
Then foo
optional_steps.rb
When /^I check the favorite color count( for email address \'(.*)\'|)$/ do |_, email|
puts "using '#{email}'"
end
Given /^xyz$/ do
end
Then /^foo$/ do
end
output:
Feature: optional parameter
Scenario: Parameter is not given
Given xyz
When I check the favorite color count
using ''
Then foo
Scenario: Parameter is given
Given xyz
When I check the favorite color count for email address '[email protected]'
using '[email protected]'
Then foo
2 scenarios (2 passed)
6 steps (6 passed)
0m9.733s
Upvotes: 0
Reputation: 606
optional.feature
:
Feature: Optional parameter
Scenario: Use optional parameter
When I check the favorite color count
When I check the favorite color count for email address '[email protected]'
optional_steps.rb
When /^I check the favorite color count(?: for email address (.*))?$/ do |email|
email ||= "[email protected]"
puts 'using ' + email
end
output
Feature: Optional parameter
Scenario: Use optional parameter
When I check the favorite color count
using [email protected]
When I check the favorite color count for email address '[email protected]'
using '[email protected]'
1 scenario (1 passed)
2 steps (2 passed)
0m0.047s
Upvotes: 41