美文网首页
前端跨域方案小结

前端跨域方案小结

作者: json_q | 来源:发表于2020-03-29 15:29 被阅读0次

    前言

    前端跨域是我们经常遇到的问题,但是之前一直没有做一个系统的总结。 对比较老的方法也不是特别的熟悉,所以这次总结一下,方便今后查阅。

    同源策略

    同源策略指的是不同协议,不同域名,不同端口的网页之间不能够进行通信,这样做得目的是为了网络的安全性,如果没有这种限制,那么我们就会受到一些网络攻击,最常见的就是CSRF。下面就介绍下在同源策略下怎么解决跨域问题

    jsonp

    jsonp是一个比较常见的解决跨域方法,主要是根据script的src不受同源策略影响,达到可以访问不同域的网页数据,但是需要前后端配合才可以。前端在接口后面写入回调函数,并且定义好回调函数。后台拿到参数返回一个函数的执行字符串,具体代码看下面

    // 前端代码
    <html>
        <body></body>
     <script>
        const showName = data => console.log(data.name);// 定义回调函数
      </script>
    
    // cb 传入回调函数名
      <script src="http://localhost:9001/api/getName?name=json&password=123&cb=showName"></script>
    </html>
    
    
    // 后台代码 用node启动一个服务
    const http = require('http');
    const fs = require('fs');
    const urlParse = require('url');
    
    const searve = http.createServer((req, res) => {
      let { query, path } = urlParse.parse(req.url, true);
    
        if (path === '/api/getName') {
           const { name, password, cb } = query || {};
    
           if (name === 'json' && password === '123') {
             const data = { name: 'xixi' };
    
             res.end(`${cb}(${JSON.stringify(data)})`);
          }
    
          res.end('');
      }
    }
    

    总结

    • jsonp的方案是利用script中src不受同源策略影响解决的
    • 需要前后台一起配合
    • 前端定义回调函数,后台返回回调函数调用字符串
    • 只能解决get请求的跨域

    iframe + form

    iframe + form可以解决post请求的跨域,但是有一个问题是无法拿到请求返回的值,网上说嵌套一个iframe但是自己试了下还是不行,有知道得可以留言评论一起解决。拿不到后台返回结果,只能通过服务器数据库验证有没有成功,以下是他的代码

    const require = function(url, data) {
      const body = document.getElementsByTagName('body')[0];
    
      // 创建form
      const form = document.createElement('form');
    
      // 创建input
      const input = document.createElement('input');
    
      // 遍历data,把值也入input
      for (let key in data) {
        if (Object.prototype.hasOwnProperty.call(data, key)) {
          input.name = key;
          input.setAttribute('value', data[key])
          form.appendChild(input.cloneNode());
        }
      }
    
      form.action = url;
      form.target = 'iframeTest';
      form.method = 'post';
      form.style.display = 'none';
      body.appendChild(form);
    
      // 创建iframe
      const preIframe = document.getElementById('iframe');
      preIframe && body.removeChild(preIframe); // 为了复用,删除之前的iframe
      const iframe = document.createElement('iframe');
    
      iframe.name = 'iframeTest';
      iframe.setAttribute('id', 'iframe');
      iframe.style.display = 'none';
      body.appendChild(iframe);
    
      iframe.onload = function() {
        console.log('请求完了在这里做处理');
      };
      // 发送请求
      form.submit();
    
      body.removeChild(form);
      form.remove(); // 为了复用
    };
    
    require('http://localhost:9001/api/getInfo', {
      account: 'json',
      password: 123
    });
    
    // 后台代码
    const http = require('http');
    const fs = require('fs');
    const urlParse = require('url');
    const queryString = require('queryString');
    
    const searve = http.createServer((req, res) => {
      let { query, path } = urlParse.parse(req.url, true);
    
      path = path.split('?')[0];
    
      if (path === '/api/getInfo') {
        let obj = null;
        let currentData = '';
        req.on('data', function(data) {
          currentData += data;
    
          obj = queryString.parse(currentData);
        });
    
        req.on('end', () => {
          const { account, password } = obj || {};
         
          if (account === 'json' && password === '123') {
            res.end(JSON.stringify({ money: 1200 }));
          }
    
          res.end('no money');
        });
      }
    });
    
    searve.listen('9001');
    
    

    总结

    • 可以解决post请求跨域问题,但是不能拿到请求后得数据,如果你们可以做到,欢迎留言评论
    • 只需要前端做处理,后台正常写接口就行
    • 因为用到iframe,如果要做到安全得话,后台要做一个x-Frame-options的处理,今后在说

    iframe + domain

    iframe + domain 解决的跨域局限性有点大,只能解决一级域名一样的两个页面,至于什么是一级域名读者自己查阅,具体说明看代码

      www.baidu.com
      www.jianshu.com  // 这两个就不能用domain解决 因为一级域名不一样
    
      www.b.a.com
      www.c.a.com // 这两个可以,因为一级域名是一样的
    
    <!DOCTYPE html>
    <html lang="en">
      <head>
        <meta charset="UTF-8" />
        <meta name="viewport" content="width=device-width, initial-scale=1.0" />
        <title>Document</title>
      </head>
      <body>
        <iframe id="iframe" name="test" src='www.b.a.com/test.html'> </iframe>
      </body>
     <script>
        document.domain = 'a.com';
    
    iframe.onload = function () {
       // 可以操作test.html里面的内容
    }
      </script>
    
    </html>
    // test.html
    <html lang="en">
      <body><div id='test'>可以获取我</div></body>
     <script>
        document.domain = 'a.com'; // test.html 也要设置一样这个
      </script>
    </html>
    

    总结

    • 局限性大只能作用于一级域名相同的跨域
    • 也会有安全问题
    • 只能解决两个页面通信,但是感觉不能解决请求跨域,如果有想法欢迎留言评论

    iframe + postMessage

    这个方法是html5新增的,可以实现多窗口之间的通信包括iframe,看如下代码

    <!DOCTYPE html>
    <html lang="en">
          <body>
             <iframe id="iframe" name="test" src='http://localhost:9001/static/index.html'> </iframe>
        <button id="btn">提交</button>
      </body>
      <script>
     window.addEventListener('message', function(data) {
       if (data.origin === 'http://localhost:9001') { // 9001是node启的服务
         console.log(data.data,);
       }
     });
    </script>
    </html>
    
    // static/index.html
    <!DOCTYPE html>
    <html lang="en">
      <head>
        <meta charset="UTF-8" />
        <meta name="viewport" content="width=device-width, initial-scale=1.0" />
        <title>Document</title>
      </head>
      <body>
        <div>ffff</div>
      </body>
      <script>
        // 9002是webpack启的服务,注意这里的http一定要带上
        window.parent.postMessage('messageww', 'http://localhost:9002');
      </script>
    </html>
    
    // 后台代码
    const http = require('http');
    const fs = require('fs');
    const urlParse = require('url');
    const queryString = require('queryString');
    
    const searve = http.createServer((req, res) => {
      let { query, path } = urlParse.parse(req.url, true);
    
      path = path.split('?')[0];
    
      if (path === '/static/index.html') {
        fs.readFile('./static/index.html', (error, data) => {
          res.writeHead(200, { 'Content-type': 'text/html' });
    
          res.end(data);
        });
      }
    });
    
    searve.listen('9001');
    

    总结

    • 因为用到iframe有安全问题
    • 这种方法也只能解决两个页面通信,但是感觉不能解决请求跨域问题,如果有想法欢迎留言
    CORS

    这个方法就比较简单了,直接后台设置一个允许跨域就行,看如下代码

    if (path === '/api/getHeight') { // 原生node只需要这么写就行
        res.setHeader('Access-Control-Allow-Origin',  '*');
        res.end(JSON.stringify({ height: 170 }));
      }
    

    总结

    • 因为设置了Access-Control-Allow-Origin有安全问题,今后再讲解
    • 只需要后台解决
    • 可以解决请求跨域

    代理

    我们一般说的代码都是nginx代理,设置proxy_pass就行,但是由于我写这篇文章的时候,已经用webpack启动服务了,所以直接webpack配置做一个代理,代码如下

    const path = require('path');
    const HtmlWebpackPlugin = require('html-webpack-plugin');
    
    module.exports = {
      entry: './test.js',
      output: {
        filename: 'bundle.js',
        path: path.resolve(__dirname, 'dist')
      },
      devServer: {
        open: true,
        port: 9002,
        proxy: {
          '/api2': {
            target: 'http://localhost:9001/api',
            changeOrigin: true,
            pathRewrite: {
              '^/api2': ''
            }
          }
        }
      },
    
      plugins: [
        new HtmlWebpackPlugin({
          template: 'index.html'
        })
      ]
    };
    

    总结

    • 操作简单只需要前端配置
    • 解决了请求跨域问题

    结束

    以上就是自己的总结,有一些地方也是有疑惑按照自己的想法来的,如果有不对的欢迎指正,留言讨论。

    相关文章

      网友评论

          本文标题:前端跨域方案小结

          本文链接:https://www.haomeiwen.com/subject/juoyuhtx.html