Why mockMVC and mockito don't work together?

Shilan picture Shilan · Apr 28, 2016 · Viewed 7.6k times · Source

I have restful services and I want to unit test them without connecting to database, therefore I have written this piece of code:

@Before
public void setup() throws Exception {
    this.mockMvc = webAppContextSetup(webApplicationContext).build();

    adminDao = mock(AdminDaoImpl.class);
    adminService = new AdminServiceImpl(adminDao);
}

@Test
public void getUserList_test() throws Exception {
    User user = getTestUser();
    List<User> expected = spy(Lists.newArrayList(user));

    when(adminDao.selectUserList()).thenReturn(expected);


    mockMvc.perform(get("/admin/user"))
        .andExpect(status().isOk())
        .andExpect(content().contentType(MediaType.APPLICATION_JSON_UTF8_VALUE))
        .andExpect(jsonPath("$", hasSize(1)))
        ;           
}

The service gets called but my problem is this line of code

when(adminDao.selectUserList()).thenReturn(expected);

is not working, I mean it really calls the adminDao.select method and therefore gets the result from database. which I don't want. Do you have any idea how can I mock the method call?

Answer

Shilan picture Shilan · Apr 29, 2016

Thanks to @M. Deinum, I fixed my problem, I added a TestContext configuration file:

@Configuration
public class TestContext {

@Bean
public AdminDaoImpl adminDao() {
    return Mockito.mock(AdminDaoImpl.class);
}

@Bean
public AdminServiceImpl adminService() {
    return new AdminServiceImpl(adminDao());
}       
}

and then in my test class I annotated the class with

@ContextConfiguration(classes = {TestContext.class})

worth to mention in setUp of the test class I need to reset the mockedClass to prevent leakage:

@Before
public void setup() throws Exception {
    Mockito.reset(adminDaoMock);

    mockMvc = MockMvcBuilders.webAppContextSetup(webApplicationContext).build();
}