JUnit getMethodName returns null

869 Views Asked by At

I'm running some Selenium tests and I'm not able to access my test methods' names. I would like to print something in the logs like "Starting test: foobarbaz"

All my test classes inherit a public "AbstractTest" class, which contains:

@Rule TestName name = new TestName();

@BeforeTest
public void testSetUp(){
    System.out.println(name);
    System.out.println(name.getMethodName());
}

But the output is:

org.junit.rules.TestName@59f63e24
null

Why is getMethodName() method returning null?

An extract of my pom.xml that may be useful...

<dependency>
    <groupId>junit</groupId>
    <artifactId>junit</artifactId>
    <version>4.12</version>
    <scope>test</scope>
</dependency>

<dependency>
    <groupId>org.junit.jupiter</groupId>
    <artifactId>junit-jupiter-api</artifactId>
    <version>5.5.2</version>
    <scope>test</scope>
</dependency>

<dependency>
    <groupId>org.junit.jupiter</groupId>
    <artifactId>junit-jupiter-params</artifactId>
    <version>5.5.2</version>
    <scope>test</scope>
</dependency>
2

There are 2 best solutions below

0
On BEST ANSWER

The TestNG solution worked (found it in another thread): https://stackoverflow.com/a/12202455/7093031

import java.lang.reflect.Method;

public class Test {

    @BeforeMethod
    public void handleTestMethodName(Method method){
        String testName = method.getName(); 
    }

}
1
On

As noted in the comments, the question mixes JUnit 4, JUnit Jupiter (JUnit 5) and TestNG, and you probably want to focus on just one.

In JUnit Jupiter, this information is accessible via the ExtensionContext. I'm not aware of a built-in extension that just prints it, but it's quite easy to write one yourself:

public class NamePrinter implements BeforeEachCallback {
    @Override
    public void beforeEach(ExtensionContext extensionContext) throws Exception {
        extensionContext.getTestMethod().ifPresent(m -> System.out.println(
                "Running method: " + m.getName() + 
                " [display name: " + extensionContext.getDisplayName() + ")"));
    }
}

And then you can just use it as an extension:

@ExtendWith(NamePrinter.class)
public class MyClassTest {

    @Test
    public void someTest() {
        System.out.println("This is a test");
    }
}