1、JSONP
原理
利用script标签没有跨域限制的漏洞,网页可以得到从其他来源动态产生的 JSON 数据。JSONP 请求一定需要对方的服务器做支持才可以
优缺点
JSONP 优点是简单兼容性好,可用于解决主流浏览器的跨域数据访问的问题。缺点是仅支持 get 方法具有局限性,不安全可能会遭受 XSS 攻击
实现
- 声明一个回调函数,其函数名(如 show)当做参数值,要传递给跨域请求数据的服务器,函数形参为要获取目标数据(服务器返回的 data)。
- 创建一个script标签,把那个跨域的 API 数据接口地址,赋值给 script 的 src,还要在这个地址中向服务器传递该函数名(可以通过问号传参:?callback=show)。
- 服务器接收到请求后,需要进行特殊的处理:把传递进来的函数名和它需要给你的数据拼接成一个字符串,例如:传递进去的函数名是 show,它准备好的数据是 show(‘我不爱你’)。
- 最后服务器把准备的数据通过 HTTP 协议返回给客户端,客户端再调用执行之前声明的回调函数(show),对返回的数据进行操作。
1// index.html2function jsonp({ url, params, callback }) {3 return new Promise((resolve, reject) => {4 let script = document.createElement("script");5 window[callback] = function (data) {6 resolve(data);7 document.body.removeChild(script);8 };9 params = { ...params, callback }; // wd=b&callback=show10 let arrs = [];11 for (let key in params) {12 arrs.push(`${key}=${params[key]}`);13 }14 script.src = `${url}?${arrs.join("&")}`;15 document.body.appendChild(script);16 });17}18jsonp({19 url: "http://localhost:3000/say",20 params: { wd: "Iloveyou" },21 callback: "show",22}).then((data) => {23 console.log(data);24});
上面这段代码相当于向 http://localhost:3000/say?wd=Iloveyou&callback=show 这个地址请求数据,然后后台返回 show(‘我不爱你’),最后会运行 show()这个函数,打印出’我不爱你’
1// server.js2let express = require("express");3let app = express();4app.get("/say", function (req, res) {5 let { wd, callback } = req.query;6 console.log(wd); // Iloveyou7 console.log(callback); // show8 res.end(`${callback}('我不爱你')`);9});10app.listen(3000);
2、Cors
CORS 需要浏览器和后端同时支持。IE 8 和 9 需要通过 XDomainRequest 来实现。
浏览器会自动进行 CORS 通信,实现 CORS 通信的关键是后端。只要后端实现了 CORS,就实现了跨域。
服务端设置 Access-Control-Allow-Origin 就可以开启 CORS。 该属性表示哪些域名可以访问资源,如果设置通配符则表示所有网站都可以访问资源。
虽然设置 CORS 和前端没什么关系,但是通过这种方式解决跨域问题的话,会在发送请求时出现两种情况,分别为简单请求和复杂请求。
简单请求
只要同时满足以下两大条件,就属于简单请求
- 条件 1:使用下列方法之一:
GET
HEAD
POST
- 条件 2:Content-Type 的值仅限于下列三者之一:
text/plain
multipart/form-data
application/x-www-form-urlencoded
请求中的任意 XMLHttpRequestUpload 对象均没有注册任何事件监听器; XMLHttpRequestUpload 对象可以使用 XMLHttpRequest.upload 属性访问。
复杂请求
不符合以上条件的请求就肯定是复杂请求了。 复杂请求的 CORS 请求,会在正式通信之前,增加一次 HTTP 查询请求,称为”预检”请求,该请求是 option 方法的,通过该请求来知道服务端是否允许跨域请求。
我们用 PUT 向后台请求时,属于复杂请求,后台需做如下配置:
1// 允许哪个方法访问我2res.setHeader("Access-Control-Allow-Methods", "PUT");3// 预检的存活时间4res.setHeader("Access-Control-Max-Age", 6);5// OPTIONS请求不做任何处理6if (req.method === "OPTIONS") {7 res.end();8}9// 定义后台返回的内容10app.put("/getData", function (req, res) {11 console.log(req.headers);12 res.end("我不爱你");13});
3、postMessage
postMessage 是 HTML5 XMLHttpRequest Level 2 中的 API,且是为数不多可以跨域操作的 window 属性之一,它可用于解决以下方面的问题:
- 页面和其打开的新窗口的数据传递
- 多窗口之间消息传递
- 页面与嵌套的 iframe 消息传递
- 上面三个场景的跨域数据传递
postMessage()方法允许来自不同源的脚本采用异步方式进行有限的通信,可以实现跨文本档、多窗口、跨域消息传递。
otherWindow.postMessage(message, targetOrigin,
[transfer]
);
message: 将要发送到其他 window 的数据。 targetOrigin:通过窗口的 origin 属性来指定哪些窗口能接收到消息事件,其值可以是字符串”*“(表示无限制)或者一个 URI。在发送消息的时候,如果目标窗口的协议、主机地址或端口这三者的任意一项不匹配 targetOrigin 提供的值,那么消息就不会被发送;只有三者完全匹配,消息才会被发送。 transfer(可选):是一串和 message 同时传递的 Transferable 对象. 这些对象的所有权将被转移给消息的接收方,而发送一方将不再保有所有权。
接下来我们看个例子: http://localhost:3000/a.html 页面向 http://localhost:4000/b.html 传递“我爱你”,然后后者传回”我不爱你”。
1// a.html2<iframe src="http://localhost:4000/b.html" frameborder="0" id="frame" onload="load()"></iframe> //等它加载完触发一个事件3//内嵌在http://localhost:3000/a.html4<script>5 function load() {6 let frame = document.getElementById('frame')7 frame.contentWindow.postMessage('我爱你', 'http://localhost:4000') //发送数据8 window.onmessage = function(e) { //接受返回数据9 console.log(e.data) //我不爱你10 }11 }12</script>
1// b.html2 window.onmessage = function(e) {3 console.log(e.data) //我爱你4 e.source.postMessage('我不爱你', e.origin)5 }
4、websocket
Websocket是HTML5的一个持久化的协议,它实现了浏览器与服务器的全双工通信,同时也是跨域的一种解决方案。WebSocket和HTTP都是应用层协议,都基于 TCP 协议。但是 WebSocket 是一种双向通信协议,在建立连接之后,WebSocket 的 server 与 client 都能主动向对方发送或接收数据。同时,WebSocket 在建立连接时需要借助 HTTP 协议,连接建立好了之后 client 与 server 之间的双向通信就与 HTTP 无关了。
原生WebSocket API使用起来不太方便,我们使用Socket.io,它很好地封装了webSocket接口,提供了更简单、灵活的接口,也对不支持webSocket的浏览器提供了向下兼容。
我们先来看个例子:本地文件socket.html向localhost:3000发生数据和接受数据
1// socket.html2<script>3 let socket = new WebSocket('ws://localhost:3000');4 socket.onopen = function () {5 socket.send('我爱你');//向服务器发送数据6 }7 socket.onmessage = function (e) {8 console.log(e.data);//接收服务器返回的数据9 }10</script>
1// server.js2let express = require('express');3let app = express();4let WebSocket = require('ws');//记得安装ws5let wss = new WebSocket.Server({port:3000});6wss.on('connection',function(ws) {7 ws.on('message', function (data) {8 console.log(data);9 ws.send('我不爱你')10 });11})
5、Node中间件代理(两次跨域)
实现原理:同源策略是浏览器需要遵循的标准,而如果是服务器向服务器请求就无需遵循同源策略。 代理服务器,需要做以下几个步骤:
- 接受客户端请求 。
- 将请求 转发给服务器。
- 拿到服务器 响应 数据。
- 将 响应 转发给客户端。
我们先来看个例子:本地文件index.html文件,通过代理服务器http://localhost:3000向目标服务器http://localhost:4000请求数据。
1// index.html(http://127.0.0.1:5500)2<script src="https://cdn.bootcss.com/jquery/3.3.1/jquery.min.js"></script>3<script>4 $.ajax({5 url: 'http://localhost:3000',6 type: 'post',7 data: { name: 'xiamen', password: '123456' },8 contentType: 'application/json;charset=utf-8',9 success: function(result) {10 console.log(result) // {"title":"fontend","password":"123456"}11 },12 error: function(msg) {13 console.log(msg)14 }15 })16</script>
1// server1.js 代理服务器(http://localhost:3000)2const http = require('http')3// 第一步:接受客户端请求4const server = http.createServer((request, response) => {5 // 代理服务器,直接和浏览器直接交互,需要设置CORS 的首部字段6 response.writeHead(200, {7 'Access-Control-Allow-Origin': '*',8 'Access-Control-Allow-Methods': '*',9 'Access-Control-Allow-Headers': 'Content-Type'10 })11 // 第二步:将请求转发给服务器12 const proxyRequest = http13 .request(14 {15 host: '127.0.0.1',16 port: 4000,17 url: '/',18 method: request.method,19 headers: request.headers20 },21 serverResponse => {22 // 第三步:收到服务器的响应23 var body = ''24 serverResponse.on('data', chunk => {25 body += chunk26 })27 serverResponse.on('end', () => {28 console.log('The data is ' + body)29 // 第四步:将响应结果转发给浏览器30 response.end(body)31 })32 }33 )34 .end()35})36server.listen(3000, () => {37 console.log('The proxyServer is running at http://localhost:3000')38})
1// server2.js(http://localhost:4000)2const http = require('http')3const data = { title: 'fontend', password: '123456' }4const server = http.createServer((request, response) => {5 if (request.url === '/') {6 response.end(JSON.stringify(data))7 }8})9server.listen(4000, () => {10 console.log('The server is running at http://localhost:4000')11})
上述代码经过两次跨域,值得注意的是浏览器向代理服务器发送请求,也遵循同源策略,最后在index.html文件打印出{“title”:“fontend”,“password”:“123456”}
6、nginx反向代理
实现原理类似于Node中间件代理,需要你搭建一个中转nginx服务器,用于转发请求。
使用nginx反向代理实现跨域,是最简单的跨域方式。只需要修改nginx的配置即可解决跨域问题,支持所有浏览器,支持session,不需要修改任何代码,并且不会影响服务器性能。
实现思路:通过nginx配置一个代理服务器(域名与domain1相同,端口不同)做跳板机,反向代理访问domain2接口,并且可以顺便修改cookie中domain信息,方便当前域cookie写入,实现跨域登录。
先下载nginx,然后将nginx目录下的nginx.conf修改如下:
1// proxy服务器2server {3 listen 81;4 server_name www.domain1.com;5 location / {6 proxy_pass http://www.domain2.com:8080; #反向代理7 proxy_cookie_domain www.domain2.com www.domain1.com; #修改cookie里域名8 index index.html index.htm;910 # 当用webpack-dev-server等中间件代理接口访问nignx时,此时无浏览器参与,故没有同源限制,下面的跨域配置可不启用11 add_header Access-Control-Allow-Origin http://www.domain1.com; #当前端只跨域不带cookie时,可为*12 add_header Access-Control-Allow-Credentials true;13 }14}
最后通过命令行nginx -s reload启动nginx
1// index.html2var xhr = new XMLHttpRequest();3// 前端开关:浏览器是否读写cookie4xhr.withCredentials = true;5// 访问nginx中的代理服务器6xhr.open('get', 'http://www.domain1.com:81/?user=admin', true);7xhr.send();
1// server.js2var http = require('http');3var server = http.createServer();4var qs = require('querystring');5server.on('request', function(req, res) {6 var params = qs.parse(req.url.substring(2));7 // 向前台写cookie8 res.writeHead(200, {9 'Set-Cookie': 'l=a123456;Path=/;Domain=www.domain2.com;HttpOnly' // HttpOnly:脚本无法读取10 });11 res.write(JSON.stringify(params));12 res.end();13});14server.listen('8080');15console.log('Server is running at port 8080...');
7、window.name + iframe
window.name属性的独特之处:name值在不同的页面(甚至不同域名)加载后依旧存在,并且可以支持非常长的 name 值(2MB)。
其中a.html和b.html是同域的,都是http://localhost:3000;而c.html是http://localhost:4000
1// a.html(http://localhost:3000/b.html)2 <iframe src="http://localhost:4000/c.html" frameborder="0" onload="load()" id="iframe"></iframe>3 <script>4 let first = true5 // onload事件会触发2次,第1次加载跨域页,并留存数据于window.name6 function load() {7 if(first){8 // 第1次onload(跨域页)成功后,切换到同域代理页面9 let iframe = document.getElementById('iframe');10 iframe.src = 'http://localhost:3000/b.html';11 first = false;12 }else{13 // 第2次onload(同域b.html页)成功后,读取同域window.name中数据14 console.log(iframe.contentWindow.name);15 }16 }17 </script>
b.html为中间代理页,与a.html同域,内容为空。
1// c.html(http://localhost:4000/c.html)2 <script>3 window.name = '我不爱你'4 </script>
8、location.hash + iframe
实现原理: a.html欲与c.html跨域相互通信,通过中间页b.html来实现。 三个页面,不同域之间利用iframe的location.hash传值,相同域之间直接js访问来通信。
具体实现步骤:一开始a.html给c.html传一个hash值,然后c.html收到hash值后,再把hash值传递给b.html,最后b.html将结果放到a.html的hash值中。 同样的,a.html和b.html是同域的,都是http://localhost:3000;而c.html是http://localhost:4000
1// a.html2 <iframe src="http://localhost:4000/c.html#iloveyou"></iframe>3 <script>4 window.onhashchange = function () { //检测hash的变化5 console.log(location.hash);6 }7 </script>
1// b.html2 <script>3 window.parent.parent.location.hash = location.hash4 //b.html将结果放到a.html的hash值中,b.html可通过parent.parent访问a.html页面5 </script>
1// c.html2 console.log(location.hash);3 let iframe = document.createElement('iframe');4 iframe.src = 'http://localhost:3000/b.html#idontloveyou';5 document.body.appendChild(iframe);
9、document.domain + iframe
该方式只能用于一级域名相同的情况下,比如 a.test.com 和 b.test.com 适用于该方式。 只需要给页面添加 document.domain =‘test.com’ 表示二级域名都相同就可以实现跨域。
实现原理:两个页面都通过js强制设置document.domain为基础主域,就实现了同域。
我们看个例子:页面a.zf1.cn:3000/a.html获取页面b.zf1.cn:3000/b.html中a的值
1// a.html2<body>3 helloa4 <iframe src="http://b.zf1.cn:3000/b.html" frameborder="0" onload="load()" id="frame"></iframe>5 <script>6 document.domain = 'zf1.cn'7 function load() {8 console.log(frame.contentWindow.a);9 }10 </script>11</body>
1// b.html2<body>3 hellob4 <script>5 document.domain = 'zf1.cn'6 var a = 100;7 </script>8</body>
总结
JSONP,CORS,postMessage,websocket,node proxy,nginx,iframe[document.domain\window.name\location.hash]
CORS支持所有类型的HTTP请求,是跨域HTTP请求的根本解决方案 JSONP只支持GET请求,JSONP的优势在于支持老式浏览器,以及可以向不支持CORS的网站请求数据。 不管是Node中间件代理还是nginx反向代理,主要是通过同源策略对服务器不加限制。 日常工作中,用得比较多的跨域方案是cors和nginx反向代理