You can make use of Assume.assumeTrue(false)
to skip tests. But this will require some changes in test runner and code changes.
- Create a separate runner for the scenario which checks the environment details are all working. Let's call it RunFirstTest.java and give
tags
a value of @Smoke. Other option values default to what you have.
@RunWith(Cucumber.class)
@CucumberOptions(plugin={ }, tags={"@Smoke"}, glue=" ", features=" ")
public class RunFirstTest {
Add the @Smoke
tag to the scenario in the feature file that checks the environment etc. Optionally you could look at splitting the feature files.
Create a new class to hold a static flag. It is a simple implementation you might look at making this more robust.
public class SkipFlag {
public static boolean skipFlag = false; }
- Create an
After hook
with the value option set to @Smoke
. Thus it will run only for the smoke scenario.
@After(value={"@Smoke"})
public void afterSkip(Scenario scen) {
if(scen.isFailed())
SkipFlag.skipFlag = true;
}
- Create a second runner for the main tests. Let's call it RunMainTest.java and give its
tags
value of @MainTests. Other option values default to what you have.
@RunWith(Cucumber.class) @CucumberOptions(plugin={" "},
tags={"@MainTests"}, glue=" ", features=" ") public class RunMainTest
{
@BeforeClass
public static void before() {
if(SkipFlag.skipFlag)
Assume.assumeTrue(false);
}
}
Add the @MainTests
tag to the other scenarios in the feature file. Optionally you could look at splitting the feature files and give the name of the feature file in the features option value.
Run this by using maven failsafe plugin. In the configuration of this plugin add the inclusion of these 2 runners in the pom.xml.
<configuration>
<includes>
<include>RunFirstTest</include>
<include>RunMainTest</include>
</includes>
<runOrder>alphabetical</runOrder>
</configuration>
The includes part might be optional if you only have 2 runners. The most important point is that the RunFirstTest
should be the first to run, so alphabetically should be first.
- Run it with maven.
Hope it works.