I am using JUnit and Selenium Webdriver. I want to run my test methods in order as how I write them in my code, as below:
@Test
public void registerUserTest(){
// code
}
@Test
public void welcomeNewUserTest(){
// code
}
@Test
public void questionaireNewUserTest(){
// code
}
But it doesn't work, it always executes my test methods in this order:
welcomeNewUserTest()
registerUserTest()
questionaireNewUserTest()
I read an answer somewhere if I name my method with suffix Test, then JUnit would execute them in order as how I order them in code. Apparently, this doesn't work.
Any help? Thanks
So for tests like these - where the steps are dependent on each other - you should really execute them as one unit. You should really be doing something like:
@Test
public void registerWelcomeAndQuestionnaireUserTest(){
// code
// Register
// Welcome
// Questionnaire
}
As @Jeremiah mentions below, there are a handful of unique ways that separate tests can execute unpredictably.
Now that I've said that, here's your solution.
If you want separate tests, you can use @FixMethodOrder and then do it by NAME_ASCENDING
. This is the only way I know.
@FixMethodOrder(MethodSorters.NAME_ASCENDING)
public class TestMethodOrder {
@Test
public void testA() {
System.out.println("first");
}
@Test
public void testC() {
System.out.println("third");
}
@Test
public void testB() {
System.out.println("second");
}
}
will execute:
testA(), testB(), testC()
In your case:
@FixMethodOrder(MethodSorters.NAME_ASCENDING)
public class ThisTestsEverything{
@Test
public void T1_registerUser(){
// code
}
@Test
public void T2_welcomeNewUser(){
// code
}
@Test
public void T3_questionaireNewUser(){
// code
}
}