同源策略:判断是不是同源的,主要看这三点,协议,ip,端口。html
同源策略就是浏览器出于网站安全性的考虑,限制不一样源之间的资源相互访问的一种政策。前端
好比在域名https://www.baidu.com下,脚本不可以访问https://www.sina.com源下的资源,不然将会被浏览器拦截。jquery
注意两点:git
1.必须是脚本请求,好比AJAX请求。github
可是以下状况不会产生跨域拦截web
<img src="xxx"/> <a href='xxx"> </a>
2.跨域拦截是前端请求已经发出,而且在后端返回响应时检查相关参数,是否容许接收后端请求。后端
在微服务开发中,一个系统包含多个微服务,会存在跨域请求的场景。跨域
本文主要讲解SpringBoot解决跨域请求拦截的问题。浏览器
这里建立两个web项目,web1 和 web2.安全
web2项目请求web1项目的资源。
这里只贴关键代码,完整代码参考GitHub
建立一个Controller返回html页面
@Slf4j @Controller public class HomeController { @RequestMapping("/index") public String home(){ log.info("/index"); return "/home"; } }
html页面 home.html
这里建立了一个按钮,按钮按下则请求资源:"http://localhost:8301/hello"
<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>web2</title> <script src="https://cdn.staticfile.org/jquery/1.10.2/jquery.min.js"> </script> <script> $(function () { $("#testBtn").click(function () { console.log("testbtn ..."); $.get("http://localhost:8301/hello",function(data,status){ alert("数据: " + data + "\n状态: " + status); }); }) }) </script> </head> <body> web2 <button id="testBtn">测试</button> </body> </html>
@Slf4j @RestController public class Web1Controller { @RequestMapping("/hello") public String hello(){ log.info("hello "); return "hello," + new Date().toString(); } }
这里配置两个项目为不一样的端口。
WEB1为8301
WEB2为8302
所以是不一样源的。
在web1尚未配置容许跨域访问的状况下
按下按钮,将会出现错误。显示Header中没有Access-Control-Allow-Origin
Access to XMLHttpRequest at 'http://localhost:8301/hello' from origin 'http://localhost:8300' has been blocked by CORS policy: No 'Access-Control-Allow-Origin' header is present on the requested resource.
WEB1添加容许跨域请求,经过实现WebMvcConfigurer
@Configuration public class WebMvcConfig implements WebMvcConfigurer { @Override public void addCorsMappings(CorsRegistry registry) { registry.addMapping("/hello"); } }
再次访问将会返回正常数据。
除了以上的配置外,还能够作更细致的限制
好比对请求的headers,请求的方法POST/GET...。请求的源进行限制。
同时还可使用注解 @CrossOrigin来替换上面的配置。
@Slf4j @RestController public class Web1Controller { @CrossOrigin @RequestMapping("/hello") public String hello(){ log.info("hello "); return "hello," + new Date().toString(); } }
注解能够用在类上,也能够用在方法上,但必须是控制器类
配置和上面同样,也是能够对方法,header,源进行个性化限制。
@Target({ElementType.METHOD, ElementType.TYPE}) @Retention(RetentionPolicy.RUNTIME) @Documented public @interface CrossOrigin { /** @deprecated */ @Deprecated String[] DEFAULT_ORIGINS = new String[]{"*"}; /** @deprecated */ @Deprecated String[] DEFAULT_ALLOWED_HEADERS = new String[]{"*"}; /** @deprecated */ @Deprecated boolean DEFAULT_ALLOW_CREDENTIALS = false; /** @deprecated */ @Deprecated long DEFAULT_MAX_AGE = 1800L; @AliasFor("origins") String[] value() default {}; @AliasFor("value") String[] origins() default {}; String[] allowedHeaders() default {}; String[] exposedHeaders() default {}; RequestMethod[] methods() default {}; String allowCredentials() default ""; long maxAge() default -1L; }