为什么Spring MockMvc结果不包含cookie?

2022-09-02 13:51:04

我正在尝试在我的REST API中对登录和安全性进行单元测试,因此我尝试尽可能地模拟现实生活中的请求序列。

我的第一个请求是:

this.mockMvc = MockMvcBuilders.webAppContextSetup(this.wac).
    addFilters(springSecurityFilterChain).build();
this.mapper = new ObjectMapper();
....
MvcResult result=mockMvc.perform(get("/login/csrf")).andExpect(status().is(200)).andReturn();
Cookie[] cookies = result.getResponse().getCookies();

(请参阅粘贴宾的完整课程)。

我尝试在此处获取cookie,以便以后能够使用收到的CSRF令牌登录,但数组为空!cookies

但是,如果我运行我的应用程序并调用

curl -i http://localhost:8080/login/csrf

我确实得到了一个Set-Cookie标头,并且可以在以后使用该cookie(和CSRF令牌)进行身份验证。

所以问题是:我如何让MockMvc向我返回饼干?


答案 1

我找到了一个解决方法,使用直接从MockHttpServletRequest中提取会话对象的功能:

session=(MockHttpSession)result.getRequest().getSession();

稍后直接插入会话:

req.session(session);

我对这个解决方案不满意的原因是,如果模拟httpservlet在这方面的行为与真正的servlet不同,我怎么能确定它在其他情况下的行为是否与真正的servlet相同。因此,我不是在测试应用程序本身,这可能会在测试中留下空白。


答案 2

我使用 RestTemplate 使用 Cookie 进行测试。RestTemplate cookies handler

@RunWith(SpringRunner.class)
@SpringBootTest(webEnvironment = WebEnvironment.RANDOM_PORT)
@Import(RestTemplateWithCookies.class)
public class ApplicationTest {

    @LocalServerPort
    private int port;

    @Autowired
    private Environment env;

    @Autowired
    private RestTemplateWithCookies restTemplate;

    @Test
    public void appTest() throws Exception {
        HttpHeaders headers = new HttpHeaders();
        headers.set("Referer", env.getProperty("allowed_referer"));
        HttpEntity<String> entity = new HttpEntity<String>("parameters", headers);
        ResponseEntity<String> response = restTemplate.exchange("http://localhost:" + port + "/scan?email=xxx@xxx.com", HttpMethod.GET, entity, String.class);
        assertTrue(response.getStatusCode() == HttpStatus.FOUND);
        HttpCookie c = restTemplate.getCoookies().stream().filter(x -> env.getProperty("server.session.cookie.name").equals(x.getName())).findAny().orElse(null);
        assertTrue(c != null);

    }

}

推荐