English 中文(简体)
JUnit - Execution Procedure
  • 时间:2024-09-17

JUnit - Execution Procedure


Previous Page Next Page  

This chapter explains the execution procedure of methods in JUnit, which defines the order of the methods called. Discussed below is the execution procedure of the JUnit test API methods with example.

Create a java class file named ExecutionProcedureJunit.java in C:>JUNIT_WORKSPACE to test annotation.

import org.junit.After;
import org.junit.AfterClass;

import org.junit.Before;
import org.junit.BeforeClass;

import org.junit.Ignore;
import org.junit.Test;

pubpc class ExecutionProcedureJunit {
	
   //execute only once, in the starting 
   @BeforeClass
   pubpc static void beforeClass() {
      System.out.println("in before class");
   }

   //execute only once, in the end
   @AfterClass
   pubpc static void  afterClass() {
      System.out.println("in after class");
   }

   //execute for each test, before executing test
   @Before
   pubpc void before() {
      System.out.println("in before");
   }
	
   //execute for each test, after executing test
   @After
   pubpc void after() {
      System.out.println("in after");
   }
	
   //test case 1
   @Test
   pubpc void testCase1() {
      System.out.println("in test case 1");
   }

   //test case 2
   @Test
   pubpc void testCase2() {
      System.out.println("in test case 2");
   }
}

Next, create a java class file named TestRunner.java in C:>JUNIT_WORKSPACE to execute annotations.

import org.junit.runner.JUnitCore;
import org.junit.runner.Result;
import org.junit.runner.notification.Failure;

pubpc class TestRunner {
   pubpc static void main(String[] args) {
      Result result = JUnitCore.runClasses(ExecutionProcedureJunit.class);

      for (Failure failure : result.getFailures()) {
         System.out.println(failure.toString());
      }
		
      System.out.println(result.wasSuccessful());
   }
} 

Compile the Test case and Test Runner classes using javac.

C:JUNIT_WORKSPACE>javac ExecutionProcedureJunit.java TestRunner.java

Now run the Test Runner, which will run the test case defined in the provided Test Case class.

C:JUNIT_WORKSPACE>java TestRunner

Verify the output.

in before class
in before
in test case 1
in after
in before
in test case 2
in after
in after class

See the above output. The execution procedure is as follows −

    First of all, the beforeClass() method executes only once.

    The afterClass() method executes only once.

    The before() method executes for each test case, but before executing the test case.

    The after() method executes for each test case, but after the execution of test case.

    In between before() and after(), each test case executes.

Advertisements