bhavya
bhavya

Reputation: 51

@MockBean is returning null object

I am trying to use @MockBean; java version 11, Spring Framework Version (5.3.8), Spring Boot Version(2.5.1) and Junit Jupiter (5.7.2) .

    @SpringBootTest
    public class PostEventHandlerTest {
        @MockBean
        private AttachmentService attachmentService;

        @Test
        public void handlePostBeforeCreateTest() throws Exception {
            Post post = new Post("First Post", "Post Added", null, null, "", "");
            
            Mockito.when(attachmentService.storeFile("abc.txt", "")).thenReturn(new Attachment());
     
            PostEventHandler postEventHandler = new PostEventHandler();
            postEventHandler.handlePostBeforeCreate(post);
            verify(attachmentService, times(1)).storeFile("abc.txt", "");
       }
    }
    @Slf4j
    @Component
    @Configuration
    @RepositoryEventHandler
    public class PostEventHandler {
           @Autowired
           private AttachmentService attachmentService;

           @Autowired
           private PostRepository postRepository;

           public void handlePostBeforeCreate(Post post) throws Exception {
             ...
             /* Here attachmentService is found null when we execute above test*/
             attachmentService.storeFile(fileName, content);
             ...
           }
    }

attachmentService is not being mocked it gives null in return

Upvotes: 5

Views: 13086

Answers (2)

criztovyl
criztovyl

Reputation: 819

As @johanneslink said, the problem is this line:

PostEventHandler postEventHandler = new PostEventHandler();

Spring won't inject anything into your PostEventHandler bean if you manually construct it.

The following should make your test work, note the @Autowired postEventHandler. :)

@SpringBootTest
public class PostEventHandlerTest {

    @MockBean
    private AttachmentService attachmentService;

    @Autowired
    PostEventHandler postEventHandler;
    
    @Test
    public void handlePostBeforeCreateTest() throws Exception {
    
        Post post = new Post("First Post", "Post Added", null, null, "", "");
        
        Mockito.when(attachmentService.storeFile("abc.txt", "")).thenReturn(new Attachment());

        postEventHandler.handlePostBeforeCreate(post);
        
        verify(attachmentService, times(1)).storeFile("abc.txt", "");
   }
}

Upvotes: 0

Anton
Anton

Reputation: 53

I met a similar problem: I also had null in mocked bean, but only when I run several tests at once (for example, when I run "mvn clean package")

If it was your case (or if it case of someone, who will see this post), then this situation might be solved by annotation @DirtiesContext on every test class youre running

Upvotes: 0

Related Questions