CodexBloom - Programming Q&A Platform

How to mock a static method in a Java class using Mockito with JUnit 5?

πŸ‘€ Views: 66 πŸ’¬ Answers: 1 πŸ“… Created: 2025-06-06
junit5 mockito unit-testing Java

I'm writing unit tests and I'm a bit lost with Quick question that's been bugging me - I've been banging my head against this for hours... I'm working on a Java application using JUnit 5 and Mockito to write unit tests. I have a utility class with several static methods that I want to mock in my tests, but I am running into issues. Here’s a simplified version of the code: ```java public class Utility { public static String getGreeting(String name) { return "Hello, " + name; } } public class MyService { public String greetUser(String userName) { return Utility.getGreeting(userName); } } ``` In my test class, I would like to mock the `getGreeting` method of the `Utility` class. My test code looks like this: ```java import static org.mockito.Mockito.*; import org.junit.jupiter.api.Test; import org.mockito.MockedStatic; import org.mockito.Mockito; class MyServiceTest { @Test void testGreetUser() { MyService service = new MyService(); try (MockedStatic<Utility> mockedStatic = Mockito.mockStatic(Utility.class)) { mockedStatic.when(() -> Utility.getGreeting("Alice")).thenReturn("Hi, Alice!"); String result = service.greetUser("Alice"); assertEquals("Hi, Alice!", result); } } } ``` However, when I run this test, I get the following behavior message: ``` java.lang.IllegalStateException: Static mock was not initialized correctly. Please ensure that you are using a Mockito version that supports static mocking. ``` I’m using Mockito version 3.5.13, which should support static mocking. I've also ensured that my JUnit 5 dependencies are correctly set up. Can anyone guide to understand what I might be doing wrong? Are there any specific configurations I need to check to enable static mocking with Mockito? Also, are there best practices around mocking static methods that I should be aware of? I'm working on a application that needs to handle this. How would you solve this? Cheers for any assistance! My team is using Java for this desktop app. What's the correct way to implement this?