Spring Boot解决跨域问题(端口不一致)
在Spring Boot中解决跨域问题,可以通过配置一个拦截器来处理跨域请求。以下是一个简单的配置示例:
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 CorsConfig {
@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)
}
};
}
}
在这个配置中,我们定义了一个WebMvcConfigurer
的实现,并通过addCorsMappings
方法添加了对所有路径的跨域支持。你可以根据实际需求调整允许的方法和头部信息。allowedOrigins("*")
表示允许任何域进行跨域请求,如果需要指定特定域,可以替换为实际的域名。
这段代码将确保Spring Boot应用程序正确处理来自不同端口的跨域请求。
评论已关闭