翼度科技»论坛 编程开发 JavaScript 查看内容

Axios get post请求传递参数的实现代码

2

主题

2

帖子

6

积分

新手上路

Rank: 1

积分
6
Axios概述

首先,axios是基于promise用于浏览器和node.js的http客户端
特点 :
  1. 支持浏览器和node.js
  2. 支持promise
  3. 能拦截请求和响应
  4. 能转换请求和响应数据
  5. 能取消请求
  6. 自动转换json数据
  7. 浏览器端支持防止CSRF(跨站请求伪造)
复制代码
一、 安装

npm安装
$ npm install axios
bower安装
$ bower install axios
通过cdn引入
  1. <script src="https://unpkg.com/axios/dist/axios.min.js"></script>
复制代码
首先需要安装axios
下一步,在main.js中引入axios
  1. import axios from "axios";
复制代码
与很多第三方模块不同的是,axios不能使用use方法,由于axios比vue出来的早 所以需要放到vue的原型对象中
  1. Vue.prototype.$axios = axios;
复制代码
接着,我们就可以在App.vue中使用axios了
  1. created:function(){
  2.   this.$axios.get("/seller",{"id":123}).then(res=>{
  3.     console.log(res.data);
  4.   });
  5. }
复制代码
1.发起一个get请求
  1. <input id="get01Id" type="button" value="get01"/>
  2. <script>
  3.     $("#get01Id").click(function () {
  4.         axios.get('http://localhost:8080/user/findById?id=1')
  5.             .then(function (value) {
  6.                 console.log(value);
  7.             })
  8.             .catch(function (reason) {
  9.                 console.log(reason);
  10.             })
  11.     })
  12. </script>
复制代码
另外一种形式:
  1. <input id="get02Id" type="button" value="get02"/>
  2. <script>
  3.     $("#get02Id").click(function () {
  4.         axios.get('http://localhost:8080/user/findById', {
  5.             params: {
  6.                 id: 1
  7.             }
  8.         })
  9.             .then(function (value) {
  10.                 console.log(value);
  11.             })
  12.             .catch(function (reason) {
  13.                 console.log(reason);
  14.             })
  15.     })
  16. </script>
复制代码
2.发起一个post请求
在官方文档上面是这样的:
  1.    axios.post('/user', {
  2.             firstName: 'Fred',
  3.             lastName: 'Flintstone'
  4.         }).then(function (res) {
  5.             console.log(res);
  6.         }).catch(function (err) {
  7.             console.log(err);
  8.     });
复制代码
但是如果这么写,会导致后端接收不到数据
所以当我们使用post请求的时候,传递参数要这么写:
  1. <input id="post01Id" type="button" value="post01"/>
  2. <script>
  3.     $("#post01Id").click(function () {
  4.         var params = new URLSearchParams();
  5.         params.append('username', 'sertyu');
  6.         params.append('password', 'dfghjd');
  7.         axios.post('http://localhost:8080/user/addUser1', params)
  8.             .then(function (value) {
  9.                 console.log(value);
  10.             })
  11.             .catch(function (reason) {
  12.                 console.log(reason);
  13.             });
  14.     })
  15. </script>
复制代码
3.执行多个并发请求
  1. <input id="button01Id" type="button" value="点01"/>
  2. <script>
  3.     function getUser1() {
  4.         return axios.get('http://localhost:8080/user/findById?id=1');
  5.     }

  6.     function getUser2() {
  7.         return axios.get('http://localhost:8080/user/findById?id=2');
  8.     }

  9.     $("#buttonId").click(function () {
  10.         axios.all([getUser1(), getUser2()])
  11.             .then(axios.spread(function (user1, user2) {
  12.                 alert(user1.data.username);
  13.                 alert(user2.data.username);
  14.             }))
  15.     })
  16. </script>
复制代码
另外一种形式:
  1. <input id="button02Id" type="button" value="点02"/>
  2. <script>
  3.     $("#button02Id").click(function () {
  4.         axios.all([
  5.             axios.get('http://localhost:8080/user/findById?id=1'),
  6.             axios.get('http://localhost:8080/user/findById?id=2')
  7.         ])
  8.             .then(axios.spread(function (user1, user2) {
  9.                 alert(user1.data.username);
  10.                 alert(user2.data.username);
  11.             }))
  12.     })
  13. </script>
复制代码
当所有的请求都完成后,会收到一个数组,包含着响应对象,其中的顺序和请求发送的顺序相同,可以使用axios.spread分割成多个单独的响应对象

三、 axiosAPI

(一)可以通过向axios传递相关配置来创建请求
axios(config)
  1. <input id="buttonId" type="button" value="点"/>
  2. <script>
  3.     $("#buttonId").click(function () {
  4.         var params = new URLSearchParams();
  5.         params.append('username','trewwe');
  6.         params.append('password','wertyu');
  7.         // 发起一个post请求
  8.         axios({
  9.             method:'post',
  10.             url:'http://localhost:8080/user/addUser1',
  11.             data:params
  12.         });
  13.     })
  14. </script>
复制代码
axios(url[,config])
  1. <input id="buttonId" type="button" value="点"/>
  2. <script>
  3.     $("#buttonId").click(function () {
  4.         // 发起一个get请求,(get是默认的请求方法)
  5.         axios('http://localhost:8080/user/getWord');
  6.     })
  7. </script>
复制代码
(二)请求方法别名
  1. axios.request(config)axios.get(url[, config])axios.delete(url[,config])axios.head(url[, config])axios.options(url[, config])axios.post(url[, data[, config]])axios.put(url[, data[, config]])axios.patch(url[, data[, config]])
  2. 在使用别名方法时,url、method、data这些属性都不必在配置中指定
复制代码
(三)并发请求,即是帮助处理并发请求的辅助函数
  1. //iterable是一个可以迭代的参数如数组等
  2. axios.all(iterable)
  3. //callback要等到所有请求都完成才会执行
  4. axios.spread(callback)
复制代码
(四)创建实例,使用自定义配置
1.axios.create([config])
  1. var instance = axios.create({
  2.   baseURL:"http://localhost:8080/user/getWord",
  3.   timeout:1000,
  4.   headers: {'X-Custom-Header':'foobar'}
  5. });
复制代码
2.实例的方法
以下是实例方法,注意已经定义的配置将和利用create创建的实例的配置合并
  1. axios#request(config)axios#get(url[,config])axios#delete(url[,config])axios#head(url[,config])axios#post(url[,data[,config]])axios#put(url[,data[,config]])axios#patch(url[,data[,config]])
复制代码
四、请求配置

请求的配置选项,只有url选项是必须的,如果method选项未定义,那么它默认是以get方式发出请求
  1. {
  2.     // url 是用于请求的服务器 URL
  3.     url: '/user/getWord',

  4.     // method 是创建请求时使用的方法
  5.     method: 'get', // 默认是 get

  6.     // baseURL 将自动加在 url 前面,除非 url 是一个绝对路径。
  7.     // 它可以通过设置一个 baseURL 便于为 axios 实例的方法传递相对路径
  8.     baseURL: 'http://localhost:8080/',

  9.     //  transformRequest 允许在向服务器发送前,修改请求数据
  10.     // 只能用在 'PUT', 'POST' 和 'PATCH' 这几个请求方法
  11.     // 后面数组中的函数必须返回一个字符串,或 ArrayBuffer,或 Stream
  12.     transformRequest: [function (data) {
  13.         // 对 data 进行任意转换处理

  14.         return data;
  15.     }],

  16.     //  transformResponse 在传递给 then/catch 前,允许修改响应数据
  17.     transformResponse: [function (data) {
  18.         // 对 data 进行任意转换处理

  19.         return data;
  20.     }],

  21.     //  headers 是即将被发送的自定义请求头
  22.     headers: {'X-Requested-With': 'XMLHttpRequest'},

  23.     //  params 是即将与请求一起发送的 URL 参数
  24.     // 必须是一个无格式对象(plain object)或 URLSearchParams 对象
  25.     params: {
  26.         ID: 12345
  27.     },

  28.     //  paramsSerializer 是一个负责 params 序列化的函数
  29.     // (e.g. https://www.npmjs.com/package/qs, http://api.jquery.com/jquery.param/)
  30.     paramsSerializer: function (params) {
  31.         return Qs.stringify(params, {arrayFormat: 'brackets'})
  32.     },

  33.     //  data 是作为请求主体被发送的数据
  34.     // 只适用于这些请求方法 'PUT', 'POST', 和 'PATCH'
  35.     // 在没有设置 transformRequest 时,必须是以下类型之一:
  36.     // - string, plain object, ArrayBuffer, ArrayBufferView, URLSearchParams
  37.     // - 浏览器专属:FormData, File, Blob
  38.     // - Node 专属: Stream
  39.     data: {
  40.         firstName: 'yuyao'
  41.     },

  42.     //  timeout 指定请求超时的毫秒数(0 表示无超时时间)
  43.     // 如果请求话费了超过 timeout 的时间,请求将被中断
  44.     timeout: 1000,

  45.     //  withCredentials 表示跨域请求时是否需要使用凭证
  46.     withCredentials: false, // 默认的

  47.     //  adapter 允许自定义处理请求,以使测试更轻松
  48.     // 返回一个 promise 并应用一个有效的响应 (查阅 [response docs](#response-api)).
  49.     adapter: function (config) {
  50.         /* ... */
  51.     },

  52.     //  auth 表示应该使用 HTTP 基础验证,并提供凭据
  53.     // 这将设置一个 Authorization 头,覆写掉现有的任意使用 headers 设置的自定义 Authorization 头
  54.     auth: {
  55.         username: 'zhangsan',
  56.         password: '12345'
  57.     },

  58.     //  responseType 表示服务器响应的数据类型,可以是 'arraybuffer', 'blob', 'document', 'json', 'text', 'stream'
  59.     responseType: 'json', // 默认的

  60.     // xsrfCookieName 是用作 xsrf token 的值的cookie的名称
  61.     xsrfCookieName: 'XSRF-TOKEN', // default

  62.     //  xsrfHeaderName 是承载 xsrf token 的值的 HTTP 头的名称
  63.     xsrfHeaderName: 'X-XSRF-TOKEN', // 默认的

  64.     //  onUploadProgress 允许为上传处理进度事件
  65.     onUploadProgress: function (progressEvent) {
  66.         // 对原生进度事件的处理
  67.     },

  68.     //  onDownloadProgress 允许为下载处理进度事件
  69.     onDownloadProgress: function (progressEvent) {
  70.         // 对原生进度事件的处理
  71.     },

  72.     //  maxContentLength 定义允许的响应内容的最大尺寸
  73.     maxContentLength: 2000,

  74.     //  validateStatus 定义对于给定的HTTP 响应状态码是 resolve 或 reject  promise 。
  75.     // 如果 validateStatus 返回 true (或者设置为 null 或 undefined ),promise 将被 resolve; 否则,promise 将被 rejecte
  76.     validateStatus: function (status) {
  77.         return status >= 200 && status < 300; // 默认的
  78.     },

  79.     //  maxRedirects 定义在 node.js 中 follow 的最大重定向数目
  80.     // 如果设置为0,将不会 follow 任何重定向
  81.     maxRedirects: 5, // 默认的

  82.     //  httpAgent 和 httpsAgent 分别在 node.js 中用于定义在执行 http 和 https 时使用的自定义代理。允许像这样配置选项:
  83.     //  keepAlive 默认没有启用
  84.     httpAgent: new http.Agent({keepAlive: true}),
  85.     httpsAgent: new https.Agent({keepAlive: true}),

  86.     // 'proxy' 定义代理服务器的主机名称和端口
  87.     //  auth 表示 HTTP 基础验证应当用于连接代理,并提供凭据
  88.     // 这将会设置一个 Proxy-Authorization 头,覆写掉已有的通过使用 header 设置的自定义 Proxy-Authorization 头。
  89.     proxy: {
  90.         host: '127.0.0.1',
  91.         port: 9000,
  92.         auth: {
  93.             username: 'lisi',
  94.             password: '54321'
  95.         }
  96.     },

  97.     //  cancelToken 指定用于取消请求的 cancel token
  98.     cancelToken: new CancelToken(function (cancel) {
  99.     })
  100. }
复制代码
五、响应内容
  1. {
  2.   data:{},
  3.   status:200,
  4.   //从服务器返回的http状态文本
  5.   statusText:'OK',
  6.   //响应头信息
  7.   headers: {},
  8.   //config是在请求的时候的一些配置信息
  9.   config: {}
  10. }
复制代码
可以这样来获取响应信息
  1. <input id="getId" type="button" value="get"/>
  2. <script>
  3.     $("#getId").click(function () {
  4.         axios.get('http://localhost:8080/user/findById?id=1')
  5.             .then(function (value) {
  6.                 console.log("data:"+value.data);
  7.                 console.log("status:"+value.status);
  8.                 console.log("statusText:"+value.statusText);
  9.                 console.log("headers:"+value.headers);
  10.                 console.log("config:"+value.config);
  11.             })
  12.             .catch(function (reason) {
  13.                 console.log(reason);
  14.             })
  15.     })
  16. </script>
复制代码
六、默认配置

默认配置对所有请求都有效
1、全局默认配置
  1. axios.defaults.baseURL = 'http://localhost:8080/';
  2. axios.defaults.headers.common['Authorization'] = AUTH_TOKEN;
  3. axios.defaults.headers.post['content-Type'] = 'appliction/x-www-form-urlencoded';
复制代码
2、自定义的实例默认设置
  1. //当创建实例的时候配置默认配置
  2. var instance = axios.create({
  3.     baseURL: 'http://localhost:8080/'
  4. });
  5. //当实例创建时候修改配置
  6. instance.defaults.headers.common["Authorization"] = AUTH_TOKEN;
复制代码
3、配置中有优先级
config配置将会以优先级别来合并,顺序是lib/defauts.js中的默认配置,然后是实例中的默认配置,最后是请求中的config参数的配置,越往后等级越高,后面的会覆盖前面的例子。
  1. //创建一个实例的时候会使用libray目录中的默认配置
  2. //在这里timeout配置的值为0,来自于libray的默认值
  3. var instance = axios.create();
  4. //回覆盖掉library的默认值
  5. //现在所有的请求都要等2.5S之后才会发出
  6. instance.defaults.timeout = 2500;
  7. //这里的timeout回覆盖之前的2.5S变成5s
  8. instance.get('/longRequest',{
  9.   timeout: 5000
  10. });
复制代码
七、拦截器

1.可以在请求、响应在到达then/catch之前拦截
  1. //添加一个请求拦截器
  2. axios.interceptors.request.use(function(config){
  3.   //在请求发出之前进行一些操作
  4.   return config;
  5. },function(err){
  6.   //Do something with request error
  7.   return Promise.reject(error);
  8. });
  9. //添加一个响应拦截器
  10. axios.interceptors.response.use(function(res){
  11.   //在这里对返回的数据进行处理
  12.   return res;
  13. },function(err){
  14.   //Do something with response error
  15.   return Promise.reject(error);
  16. })
复制代码
2.取消拦截器
  1. var myInterceptor = axios.interceptor.request.use(function(){/*....*/});
  2. axios.interceptors.request.eject(myInterceptor);
复制代码
3.给自定义的axios实例添加拦截器
  1. var instance = axios.create();
  2. instance.interceptors.request.use(function(){})
复制代码
八、错误处理
  1. <input id="getId" type="button" value="get"/>
  2. <script>
  3.     $("#getId").click(function () {
  4.         axios.get('http://localhost:8080/user/findById?id=100')
  5.             .catch(function (error) {
  6.                 if (error.response) {
  7.                     //请求已经发出,但是服务器响应返回的状态吗不在2xx的范围内
  8.                     console.log("data:"+error.response.data);
  9.                     console.log("status:"+error.response.status);
  10.                     console.log("header:"+error.response.header);
  11.                 } else {
  12.                     //一些错误是在设置请求的时候触发
  13.                     console.log('Error', error.message);
  14.                 }
  15.                 console.log(error.config);
  16.             });
  17.     })
  18. </script>
复制代码
九、取消

通过一个cancel token来取消一个请求
通过CancelToken.source工厂函数来创建一个cancel token
  1. <input id="getId" type="button" value="get"/>
  2. <input id="unGetId" type="button" value="unGet"/>
  3. <script>
  4.     var CancelToken = axios.CancelToken;
  5.     var source = CancelToken.source();
  6.     $("#getId").click(function () {
  7.         axios.get('http://localhost:8080/user/findById?id=1', {
  8.             cancelToken: source.token
  9.         })
  10.             .then(function (value) {
  11.                 console.log(value);
  12.             })
  13.             .catch(function (thrown) {
  14.             if (axios.isCancel(thrown)) {
  15.                 console.log('Request canceled', thrown.message);
  16.             } else {
  17.                 //handle error
  18.             }
  19.         });
  20.     });
  21.     $("#unGetId").click(function () {
  22.         //取消请求(信息的参数可以设置的)
  23.         source.cancel("操作被用户取消");
  24.     });
  25. </script>
复制代码
到此这篇关于axios get post请求 传递参数的文章就介绍到这了,更多相关axios get post请求 传递参数内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!

来源:https://www.jb51.net/article/266711.htm
免责声明:由于采集信息均来自互联网,如果侵犯了您的权益,请联系我们【E-Mail:cb@itdo.tech】 我们会及时删除侵权内容,谢谢合作!

举报 回复 使用道具