解决CORS错误(Spring Boot)
CORS(Cross-Origin Resource Sharing,跨源资源共享)错误通常发生在前端应用尝试从与其自身不同的域、协议或端口获取资源时。在Spring Boot应用中,可以通过配置一个全局的CORS过滤器来解决这个问题。
以下是一个配置全局CORS过滤器的示例代码:
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.CorsRegistry;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
@Configuration
public class WebConfig implements WebMvcConfigurer {
@Bean
public WebMvcConfigurer corsConfigurer() {
return new WebMvcConfigurer() {
@Override
public void addCorsMappings(CorsRegistry registry) {
registry.addMapping("/**") // 允许跨域的路径
.allowedOrigins("*") // 允许跨域请求的域名
.allowedMethods("GET", "POST", "PUT", "DELETE") // 允许的请求方法
.allowedHeaders("*") // 允许的请求头
.allowCredentials(true); // 是否允许证书(cookies)
}
};
}
}
这段代码创建了一个全局的CORS配置,它允许所有的域、方法和头进行跨源请求。在实际应用中,你可能需要更具体的配置来满足安全性和特定需求的要求。
评论已关闭