Powermockito doNothing for method with arguments

Anakin001 picture Anakin001 · Apr 10, 2014 · Viewed 66k times · Source

I've developed an application in Java and I'm trying to create unit tests using Powermockito (I should add that I'm new to unit testing).

I have a class called Resource which has a static method called readResources:

public static void readResources(ResourcesElement resourcesElement);

ResourcesElement is also coded by me. In testing, I want to create my own Resource, so I want the above method to do nothing. I tried using this code:

    PowerMockito.spy(Resource.class);
    PowerMockito.doNothing().when(Resource.class, "readResources", Matchers.any(ResourcesElement.class));

The unit test throws an exception:

org.mockito.exceptions.misusing.UnfinishedStubbingException: Unfinished stubbing detected here: -> at org.powermock.api.mockito.internal.PowerMockitoCore.doAnswer(PowerMockitoCore.java:36)

Powermockito also suggest that I should use thenReturn or thenThrow after when, but it seems that the method 'when' returns void when it is called after doNothing (which is logical). If I try:

PowerMockito.when(Resource.class, "readResources", Matchers.any(ResourcesElement.class)).....

doNothing is not an option after when.

I managed to make methods without arguments to do nothing, using the 2 arguments version of the method. For example:

PowerMockito.doNothing().when(Moduler.class, "startProcessing");

This works (startProcessing doesn't take any arguments).

But how can I make methods that do take arguments to do nothing with Powermockito?

Answer

Morfic picture Morfic · Apr 10, 2014

You can find a fully functional example below. Since you didn't post the complete example, I can only assume that you did not annotate the test class with @RunWith or @PrepareForTest because the rest seems fine.

@RunWith(PowerMockRunner.class)
@PrepareForTest({Resource.class})
public class MockingTest{

    @Test
    public void shouldMockVoidStaticMethod() throws Exception {
        PowerMockito.spy(Resource.class);
        PowerMockito.doNothing().when(Resource.class, "readResources", Mockito.any(String.class));

        //no exception heeeeere!
        Resource.readResources("whatever");

        PowerMockito.verifyStatic();
        Resource.readResources("whatever");
    }

}

class Resource {
    public static void readResources(String someArgument) {
        throw new UnsupportedOperationException("meh!");
    }
}