弹簧启动启用全局 CORS 支持问题:只有 GET 工作正常,开机自检、PUT 和删除不起作用
更新:一年多后回头看,我正在给一个更新的希望,这将有助于其他人。
Spring IO建议对普通用户可能由浏览器处理的任何请求使用CSRF保护。如果您只创建由非浏览器客户端使用的服务,则可能需要禁用 CSRF 保护。由于我的应用程序是一个API,将由浏览器处理,因此禁用CSRF不是一种方法。
默认情况下,CSRF 启用了 Spring Boot,您需要添加以下代码来添加 CSRF 存储库,并添加过滤器以将 CSRF 令牌添加到您的 http 请求中。(解决方案来自这里 POST 请求中的无效 CSRF 令牌 )
@Override
protected void configure(HttpSecurity http) throws Exception {
http
.authorizeRequests()
.antMatchers("/assets/**", "/templates/**", "/custom-fonts/**", "/api/profile/**", "/h2/**").permitAll()
.anyRequest().authenticated()
.and()
.formLogin()
.loginPage("/login")
.permitAll()
.and()
.logout()
.logoutSuccessUrl("/login?logout")
.permitAll()
.and()
.csrf().csrfTokenRepository(csrfTokenRepository())
.and()
.addFilterAfter(csrfHeaderFilter(), SessionManagementFilter.class); // Register csrf filter.
}
过滤器和 CsrfToken Repository 部分:
private Filter csrfHeaderFilter() {
return new OncePerRequestFilter() {
@Override
protected void doFilterInternal(HttpServletRequest request,
HttpServletResponse response,
FilterChain filterChain) throws ServletException, IOException {
CsrfToken csrf = (CsrfToken) request.getAttribute(CsrfToken.class.getName());
if (csrf != null) {
Cookie cookie = WebUtils.getCookie(request, "XSRF-TOKEN");
String token = csrf.getToken();
if (cookie == null || token != null
&& !token.equals(cookie.getValue())) {
// Token is being added to the XSRF-TOKEN cookie.
cookie = new Cookie("XSRF-TOKEN", token);
cookie.setPath("/");
response.addCookie(cookie);
}
}
filterChain.doFilter(request, response);
}
};
}
private CsrfTokenRepository csrfTokenRepository() {
HttpSessionCsrfTokenRepository repository = new HttpSessionCsrfTokenRepository();
repository.setHeaderName("X-XSRF-TOKEN");
return repository;
}
我在2016年2月问的原始问题
我致力于在Spring 4中为Spring-boot RESTful API提供全球CORS支持。
我正在关注官方的Spring Boot Doc(https://spring.io/guides/gs/rest-service-cors/),并已将其添加到我的应用程序中:
public class SomeApiApplication {
public static void main(String[] args) {
SpringApplication.run(SomeApiApplication.class, args);
}
//Enable Global CORS support for the application
@Bean
public WebMvcConfigurer corsConfigurer() {
return new WebMvcConfigurerAdapter() {
@Override
public void addCorsMappings(CorsRegistry registry) {
registry.addMapping("/**")
.allowedOrigins("http://localhost:8080")
.allowedMethods("GET", "POST", "PUT", "DELETE", "HEAD")
.allowedHeaders("header1", "header2") //What is this for?
.allowCredentials(true);
}
};
}
}
我不明白为什么只有GET工作,对于其余的http调用,我收到一条错误消息,说“无效的CORS请求”。我在设置中会错过任何东西吗?如果我的设置不正确,GET也不应该工作。我很困惑。