同源策略

同源策略/SOP(Same origin policy)是一种约定,由 Netscape 公司 1995 年引入浏览器,它是浏览器最核心也最基本的安全功能,如果缺少了同源策略,浏览器很容易受到 XSS、CSRF 等攻击。所谓同源是指 “协议 + 域名 + 端口” 三者相同,即便两个不同的域名指向同一个 ip 地址,也非同源。

什么是跨域?

当协议、域名、端口号,有一个或多个不同时,有希望可以访问并获取数据的现象称为跨域访问,同源策略限制下 cookielocalStoragedomajaxIndexDB 都是不支持跨域的。

假设 cookie 支持了跨域,http 协议无状态,当用户访问了一个银行网站登录后,银行网站的服务器给返回了一个 sessionId,当通过当前浏览器再访问一个恶意网站,如果 cookie 支持跨域,恶意网站将获取 sessionId 并访问银行网站,出现安全性问题;IndexDB、localStorage 等数据存储在不同域的页面切换时是获取不到的;假设 dom 元素可以跨域,在自己的页面写入一个 iframe 内部嵌入的地址是 www.baidu.com,当在百度页面登录账号密码时就可以在自己的页面获取百度的数据信息,这显然是不合理的。

这就是为什么 cookielocalStoragedomajaxIndexDB 会受到同源策略会限制,下面还有一点对跨域理解的误区:

误区:同源策略限制下,访问不到后台服务器的数据,或访问到后台服务器的数据后没有返回;
正确:同源策略限制下,可以访问到后台服务器的数据,后台服务器会正常返回数据,而被浏览器给拦截了。

实现跨域的方式

一、使用 jsonp 跨域

使用场景:当自己的项目前端资源和后端部署在不同的服务器地址上,或者其他的公司需要访问自己对外公开的接口,需要实现跨域获取数据,如百度搜索。

  1. // 封装 jsonp 跨域请求的方法
  2. function jsonp({ url, params, cb }) {
  3. return new Promise((resolve, reject) => {
  4. // 创建一个 script 标签帮助我们发送请求
  5. let script = document.createElement("script");
  6. let arr = [];
  7. params = { ...params, cb };
  8. // 循环构建键值对形式的参数
  9. for (let key in params) {
  10. arr.push(`${key}=${params[key]}`);
  11. }
  12. // 创建全局函数
  13. window[cb] = function(data) {
  14. resolve(data);
  15. // 在跨域拿到数据以后将 script 标签销毁
  16. document.body.removeChild(script);
  17. };
  18. // 拼接发送请求的参数并赋值到 src 属性
  19. script.src = `${url}?${arr.join("&")}`;
  20. document.body.appendChild(script);
  21. });
  22. }
  23. // 调用方法跨域请求百度搜索的接口
  24. json({
  25. url: "https://sp0.baidu.com/5a1Fazu8AA54nxGko9WTAnF6hhy/su",
  26. params: {
  27. wd: "jsonp"
  28. },
  29. cb: "show"
  30. }).then(data => {
  31. // 打印请求回的数据
  32. console.log(data);
  33. });

缺点:

  • 只能发送 get 请求 不支持 post、put、delete;
  • 不安全,容易引发 xss 攻击,别人在返回的结果中返回了下面代码。
  1. let script = document.createElement('script');
  2. script.src = "http://192.168.0.57:8080/xss.js";
  3. document.body.appendChild(script);;

会把别人的脚本引入到自己的页面中执行,如:弹窗、广告等,甚至更危险的脚本程序。

二、使用 CORS 跨域

跨源资源共享/CORS(Cross-Origin Resource Sharing)是 W3C 的一个工作草案,定义了在必须访问跨源资源时,浏览器与服务器应该如何沟通。CORS 背后的基本思想,就是使用自定义的 HTTP 头部让浏览器与服务器进行沟通,从而决定请求或响应是应该成功,还是应该失败。

使用场景:多用于开发时,前端与后台在不同的 ip 地址下进行数据访问。

现在启动两个端口号不同的服务器,创建跨域条件,服务器(NodeJS)代码如下:

  1. // 服务器1
  2. const express = require(express);
  3. let app = express();
  4. app.use(express.static(__dirname));
  5. app.listen(3000);
  6. // 服务器2
  7. const express = require("express");
  8. let app = express();
  9. app.get("/getDate", function(req, res) {
  10. res.end("I love you");
  11. });
  12. app.use(express.static(__dirname));
  13. app.listen(4000);

由于我们的 NodeJS 服务器使用 express 框架,在我们的项目根目录下的命令行中输入下面代码进行安装:

npm install express —save

通过访问 http://localhost:3000/index.html 获取 index.html 文件并执行其中的 Ajax 请求 http://localhost:4000/getDate 接口去获取数据,index.html 文件内容如下:

  1. <!-- 文件:index.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>CORS 跨域</title>
  7. </head>
  8. <body>
  9. <script>
  10. let xhr = new XMLHttpRequest();
  11. // 正常 cookie 是不允许跨域的
  12. document.cookie = 'name=hello';
  13. // cookie 想要实现跨域必须携带凭证
  14. xhr.withCredentials = true;
  15. // xhr.open('GET', 'http://localhost:4000/getDate', true);
  16. xhr.open('PUT', 'http://localhost:4000/getDate', true);
  17. // 设置名为 name 的自定义请求头
  18. xhr.setRequestHeader('name', 'hello');
  19. xhr.onreadystatechange = function () {
  20. if(xhr.readyState === 4) {
  21. if(xhr.status >= 200 && xhr.status < 300 || xhr.status === 304) {
  22. // 打印返回的数据
  23. console.log(xhr.response);
  24. // 打印后台设置的自定义头信息
  25. console.log(xhr.getResponseHeader('name'));
  26. }
  27. }
  28. }
  29. xhr.send();
  30. </script>
  31. </body>
  32. </html>

上面 index.html 代码中发送请求访问不在同源的服务器 2,此时会在控制台给出错误信息,告诉我们缺少了哪些响应头,我们对应报错信息去修改访问的服务器 2 的代码,添加对应的响应头,实现 CORS 跨域。

  1. // 服务器2
  2. const express = require("express");
  3. let app = express();
  4. // 允许访问域的白名单
  5. let whiteList = ["http://localhost:3000"];
  6. app.use(function(req, res, next) {
  7. let origin = req.header.origin;
  8. if (whiteList.includes(origin)) {
  9. // 设置那个源可以访问我,参数为 * 时,允许任何人访问,但是不可以和 cookie 凭证的响应头共同使用
  10. res.setHeader("Access-Control-Allow-Origin", origin);
  11. // 想要获取 ajax 的头信息,需设置响应头
  12. res.setHeader("Access-Control-Allow-Headers", "name");
  13. // 处理复杂请求的头
  14. res.setHeader("Access-Control-Allow-Methods", "PUT");
  15. // 允许发送 cookie 凭证的响应头
  16. res.setHeader("Access-Control-Allow-Credentials", true);
  17. // 允许前端获取哪个头信息
  18. res.setHeader("Access-Control-Expose-Headers", "name");
  19. // 处理 OPTIONS 预检的存活时间,单位 s
  20. res.setHeader("Access-Control-Max-Age", 5);
  21. // 发送 PUT 请求会做一个试探性的请求 OPTIONS,其实是请求了两次,当接收的请求为 OPTIONS 时不做任何处理
  22. if (req.method === "OPTIONS") {
  23. res.end();
  24. }
  25. }
  26. next();
  27. });
  28. app.put("/getDate", function(req, res) {
  29. // res.setHeader('name', 'nihao'); // 设置自定义响应头信息
  30. res.end("I love you");
  31. });
  32. app.get("/getDate", function(req, res) {
  33. res.end("I love you");
  34. });
  35. app.use(express.static(__dirname));
  36. app.listen(4000);

三、使用 postMessage 实现跨域

postMessage 是 H5 的新 API,跨文档消息传送(cross-document messaging),有时候简称为 XMD,指的是在来自不同域的页面间传递消息。

调用方式:window.postMessage(message, targetOrigin)

  • message:发送的数据
  • targetOrigin:发送的窗口的域

在对应的页面中用 message 事件接收,事件对象中有 dataoriginsource 三个重要信息

  • data:接收到的数据
  • origin:接收到数据源的域(数据来自哪个域)
  • source:接收到数据源的窗口对象(数据来自哪个窗口对象)

使用场景:不是使用 Ajax 的数据通信,更多是在两个页面之间的通信,在 A 页面中引入 B 页面,在 AB 两个页面之间通信。

与上面 CORS 类似,我们要创建跨域场景,搭建两个端口号不同的 Nodejs 服务器,后面相同方式就不多赘述了。

  1. // 服务器1
  2. const express = require(express);
  3. let app = express();
  4. app.use(express.static(__dirname));
  5. app.listen(3000);
  6. // 服务器2
  7. const express = require(express);
  8. let app = express();
  9. app.use(express.static(__dirname));
  10. app.listen(4000);

通过访问 http://localhost:3000/a.html,在 a.html 中使用 iframe 标签引入 http://localhost:4000/b.html,在两个窗口间传递数据。

  1. <!-- 文件:a.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>页面 A</title>
  7. </head>
  8. <body>
  9. <iframe src="http://localhost:4000/b.html" id="frame" onload="load()"></iframe>
  10. <script>
  11. function load() {
  12. let frame = document.getElementById('frame');
  13. frame.contentWindow.postMessage('I love you', 'http://localhost:4000');
  14. window.onmessage = function (e) {
  15. console.log(e.data);
  16. }
  17. }
  18. </script>
  19. </body>
  20. </html>
  21. <!-- 文件:b.html -->
  22. <!DOCTYPE html>
  23. <html lang="en">
  24. <head>
  25. <meta charset="UTF-8">
  26. <title>页面 B</title>
  27. </head>
  28. <body>
  29. <script>
  30. window.onmessage = function (e) {
  31. // 打印来自页面 A 的消息
  32. console.log(e.data);
  33. // 给页面 A 发送回执
  34. e.source.postMessage('I love you, too', e.origin);
  35. }
  36. </script>
  37. </body>
  38. </html>

四、使用 window.name 实现跨域

同样是页面之间的通信,需要借助 iframe 标签,A 页面和 B 页面是同域的 http://localhost:3000,C 页面在独立的域 http://localhost:4000。

  1. // 服务器1
  2. const express = require(express);
  3. let app = express();
  4. app.use(express.static(__dirname));
  5. app.listen(3000);
  6. // 服务器2
  7. const express = require(express);
  8. let app = express();
  9. app.use(express.static(__dirname));
  10. app.listen(4000);

实现思路:在 A 页面中将 iframesrc 指向 C 页面,在 C 页面中将属性值存入 window.name 中,再把 iframesrc 换成同域的 B 页面,在当前的 iframewindow 对象中取出 name 的值,访问 http://localhost:3000/a.html。

  1. <!-- 文件:a.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>页面 A</title>
  7. </head>
  8. <body>
  9. <iframe src="http://localhost:4000/c.html" id="frame" onload="load()"></iframe>
  10. <script>
  11. // 增加一个标识,第一次触发 load 时更改地址,更改后再次触发直接取值
  12. let isFirst = true;
  13. function load() {
  14. let frame = document.getElementById('frame');
  15. if(isFirst) {
  16. frame.src = 'http://localhost:3000/b.html';
  17. isFirst = false;
  18. } else {
  19. console.log(frame.contentWindow.name);
  20. }
  21. }
  22. </script>
  23. </body>
  24. </html>
  25. <!-- 文件:c.html -->
  26. <!DOCTYPE html>
  27. <html lang="en">
  28. <head>
  29. <meta charset="UTF-8">
  30. <title>页面 C</title>
  31. </head>
  32. <body>
  33. <script>
  34. window.name = 'I love you';
  35. </script>
  36. </body>
  37. </html>

五、使用 location.hash 实现跨域

window.name 跨域的情况相同,是不同域的页面间的参数传递,需要借助 iframe 标签,A 页面和 B 页面是同域的 http://localhost:3000,C 页面是独立的域 http://localhost:4000。

  1. // 服务器1
  2. const express = require(express);
  3. let app = express();
  4. app.use(express.static(__dirname));
  5. app.listen(3000);
  6. // 服务器2
  7. const express = require(express);
  8. let app = express();
  9. app.use(express.static(__dirname));
  10. app.listen(4000);

实现思路:A 页面通过 iframe 引入 C 页面,并给 C 页面传一个 hash 值,C 页面收到 hash 值后创建 iframe 引入 B 页面,把 hash 值传给 B 页面,B 页面将自己的 hash 值放在 A 页面的 hash 值中,访问 http://localhost:3000/a.html。

  1. <!-- 文件:a.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>页面 A</title>
  7. </head>
  8. <body>
  9. <iframe src="http://localhost:4000/c.html#Iloveyou" id="frame"></iframe>
  10. <script>
  11. // 使用 hashchange 事件接收来自 B 页面设置给 A 页面的 hash 值
  12. window.onhashchange = function () {
  13. console.log(location.hash);
  14. }
  15. </script>
  16. </body>
  17. </html>
  18. <!-- 文件:c.html -->
  19. <!DOCTYPE html>
  20. <html lang="en">
  21. <head>
  22. <meta charset="UTF-8">
  23. <title>页面 C</title>
  24. </head>
  25. <body>
  26. <script>
  27. // 打印 A 页面引入 C 页面设置的 hash 值
  28. console.log(location.hash);
  29. let iframe = document.createElement('iframe');
  30. iframe.src = 'http://localhost:3000/b.html#Iloveyoutoo';
  31. document.body.appendChild(iframe);
  32. </script>
  33. </body>
  34. </html>
  35. <!-- 文件:b.html -->
  36. <!DOCTYPE html>
  37. <html lang="en">
  38. <head>
  39. <meta charset="UTF-8">
  40. <title>页面 B</title>
  41. </head>
  42. <body>
  43. <script>
  44. // 将 C 页面引入 B 页面设置的 hash 值设置给 A页面
  45. window.parent.parent.location.hash = location.hash;
  46. </script>
  47. </body>
  48. </html>

六、使用 document.domain 实现跨域

使用场景:不是万能的跨域方式,大多使用于同一公司不同产品间获取数据,必须是一级域名和二级域名的关系,如 www.baidu.com 与 video.baidu.com 之间。

  1. const express = require("express");
  2. let app = express();
  3. app.use(express.static(__dirname));
  4. app.listen(3000);

想要模拟使用 document.domain 跨域的场景需要做些小小的准备,到 C:WindowsSystem32driversetc 该路径下找到 hosts 文件,在最下面创建一个一级域名和一个二级域名。

127.0.0.1          www.domainacross.com
127.0.0.1          sub.domainacross.com

命名是随意的,只要是符合一级域名与 二级域名的关系即可,然后访问 http://www.domainacross.com:3000/a.html。

  1. <!-- 文件:a.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>页面 A</title>
  7. </head>
  8. <body>
  9. <p>我是页面 A 的内容</p>
  10. <iframe src="http://sucess.domainacross.com:3000/b.html" onload="load()" id="frame"></iframe>
  11. <script>
  12. document.domain = 'domainacross.com';
  13. function load() {
  14. console.log(frame.contentWindow.message);
  15. }
  16. </script>
  17. </body>
  18. </html>
  19. <!-- 文件:b.html -->
  20. <!DOCTYPE html>
  21. <html lang="en">
  22. <head>
  23. <meta charset="UTF-8">
  24. <meta name="viewport" content="width=device-width, initial-scale=1.0">
  25. <meta http-equiv="X-UA-Compatible" content="ie=edge">
  26. <title>页面 B</title>
  27. </head>
  28. <body>
  29. <p>我是 B 页面的内容</p>
  30. <script>
  31. document.domain = 'domainacross.com';
  32. var message = 'Hello A';
  33. </script>
  34. </body>
  35. </html>

七、使用 WebSocket 实现跨域

WebSocket 没有跨域限制,高级 API(不兼容),想要兼容低版本浏览器,可以使用 socket.io 的库,WebSocket 与 HTTP 内部都是基于 TCP 协议,区别在于 HTTP 是单向的(单双工),WebSocket 是双向的(全双工),协议是 ws://wss:// 对应 http://https://,因为没有跨域限制,所以使用 file:// 协议也可以进行通信。

由于我们在 NodeJS 服务中使用了 WebSocket,所以需要安装对应的依赖:

npm install ws —save

  1. <!-- 文件:index.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>页面</title>
  7. </head>
  8. <body>
  9. <script>
  10. // 创建 webSocket
  11. let socket = new WebSocket('ws://localhost:3000');
  12. // 连接上触发
  13. socket.onopen = function () {
  14. socket.send('I love you');
  15. }
  16. // 收到消息触发
  17. socket.onmessage = function (e) {
  18. // 打印收到的数据
  19. console.log(e.data); // I love you, too
  20. }
  21. </script>
  22. </body>
  23. </html>
  1. const express = require("express");
  2. let app = express();
  3. // 引入 webSocket
  4. const WebSocket = require("ws");
  5. // 创建连接,端口号与前端相对应
  6. let wss = new WebSocket.Server({ port: 3000 });
  7. // 监听连接
  8. wss.on("connection", function(ws) {
  9. // 监听消息
  10. ws.on("message", function(data) {
  11. // 打印消息
  12. console.log(data); // I love you
  13. // 发送消息
  14. ws.send("I love you, too");
  15. });
  16. });

八、使用 nginx 实现跨域

nginx 本身就是一个服务器,因此我们需要去 nginx 官网下载服务环境 http://nginx.org/en/download….

  • 下载后解压到一个文件夹中
  • 双击 nginx.exe 启动(此时可以通过 http://localhost 访问 nginx 服务)
  • 在目录新建 json 文件夹
  • 进入 json 文件夹新建 data.json 文件并写入内容
  • 回到 nginx 根目录进入 conf 文件夹
  • 使用编辑器打开 nginx.conf 进行配置

data.json 文件:

  1. {
  2. "name": "nginx"
  3. }

nginx.conf 文件:

  1. server {
  2. .
  3. .
  4. .
  5. location ~.*\.json {
  6. root json;
  7. add_header "Access-Control-Allow-Origin" "*";
  8. }
  9. .
  10. .
  11. .
  12. }

含义:

  • ~.*.json:代表忽略大小写,后缀名为 json 的文件;
  • root json:代表 json 文件夹;
  • add_header:代表加入跨域的响应头及允许访问的域,* 为允许任何访问。

nginx 根目录启动 cmd 命令行(windows 系统必须使用 cmd 命令行)执行下面代码重启 nginx

nginx -s reload

不跨域访问:http://localhost/data.json

跨域访问时需要创建跨域条件代码如下:

  1. // 服务器
  2. const express = require("express");
  3. let app = express();
  4. app.use(express.static(__dirname));
  5. app.listen(3000);

跨域访问:http://localhost:3000/index.html

  1. <!-- 文件:index.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>nginx跨域</title>
  7. </head>
  8. <body>
  9. <script>
  10. let xhr = new XMLHttpRequest();
  11. xhr.open('GET', 'http://localhost/data.json', true);
  12. xhr.onreadystatechange = function () {
  13. if(xhr.readyState === 4) {
  14. if(xhr.status >= 200 && xhr.status < 300 || xhr.status === 304) {
  15. console.log(xhr.response);
  16. }
  17. }
  18. }
  19. xhr.send();
  20. </script>
  21. </body>
  22. </html>

九、使用 http-proxy-middleware 实现跨域

NodeJS 中间件 http-proxy-middleware 实现跨域代理,原理大致与 nginx 相同,都是通过启一个代理服务器,实现数据的转发,也可以通过设置 cookieDomainRewrite 参数修改响应头中 cookie 中的域名,实现当前域的 cookie 写入,方便接口登录认证。

1、非 vue 框架的跨域(2 次跨域)

  1. <!-- 文件:index.html -->
  2. <!DOCTYPE html>
  3. <html lang="en">
  4. <head>
  5. <meta charset="UTF-8">
  6. <title>proxy 跨域</title>
  7. </head>
  8. <body>
  9. <script>
  10. var xhr = new XMLHttpRequest();
  11. // 前端开关:浏览器是否读写 cookie
  12. xhr.withCredentials = true;
  13. // 访问 http-proxy-middleware 代理服务器
  14. xhr.open('get', 'http://www.proxy1.com:3000/login?user=admin', true);
  15. xhr.send();
  16. </script>
  17. </body>
  18. </html>

中间代理服务中使用了 http-proxy-middleware 中间件,因此需要提前下载:

npm install http-proxy-middleware —save-dev

  1. // 中间代理服务器
  2. const express = require("express");
  3. let proxy = require("http-proxy-middleware");
  4. let app = express();
  5. app.use(
  6. "/",
  7. proxy({
  8. // 代理跨域目标接口
  9. target: "http://www.proxy2.com:8080",
  10. changeOrigin: true,
  11. // 修改响应头信息,实现跨域并允许带 cookie
  12. onProxyRes: function(proxyRes, req, res) {
  13. res.header("Access-Control-Allow-Origin", "http://www.proxy1.com");
  14. res.header("Access-Control-Allow-Credentials", "true");
  15. },
  16. // 修改响应信息中的 cookie 域名
  17. cookieDomainRewrite: "www.proxy1.com" // 可以为 false,表示不修改
  18. })
  19. );
  20. app.listen(3000);
  21. // 服务器
  22. const http = require("http");
  23. const qs = require("querystring");
  24. const server = http.createServer();
  25. server.on("request", function(req, res) {
  26. let params = qs.parse(req.url.substring(2));
  27. // 向前台写 cookie
  28. res.writeHead(200, {
  29. "Set-Cookie": "l=a123456;Path=/;Domain=www.proxy2.com;HttpOnly" // HttpOnly:脚本无法读取
  30. });
  31. res.write(JSON.stringify(params));
  32. res.end();
  33. });
  34. server.listen("8080");

2、vue 框架的跨域(1 次跨域)

利用 node + webpack + webpack-dev-server 代理接口跨域。在开发环境下,由于 Vue 渲染服务和接口代理服务都是 webpack-dev-server,所以页面与代理接口之间不再跨域,无须设置 Headers 跨域信息了。

  1. // 导出服务器配置
  2. module.exports = {
  3. entry: {},
  4. module: {},
  5. ...
  6. devServer: {
  7. historyApiFallback: true,
  8. proxy: [{
  9. context: '/login',
  10. target: 'http://www.proxy2.com:8080', // 代理跨域目标接口
  11. changeOrigin: true,
  12. secure: false, // 当代理某些 https 服务报错时用
  13. cookieDomainRewrite: 'www.domain1.com' // 可以为 false,表示不修改
  14. }],
  15. noInfo: true
  16. }
  17. }

本篇文章在于帮助我们理解跨域,以及不同跨域方式的基本原理,在公司的项目比较多,多个域使用同一个服务器或者数据,以及在开发环境时,跨域的情况基本无法避免,一般会有各种各样形式的跨域解决方案,但其根本原理基本都在上面的跨域方式当中方式,我们可以根据开发场景不同,选择最合适的跨域解决方案。