VUE

使用 axios 发送 ajax 请求

2020-03-13  本文已影响0人  eeert2

1)vue本身不支持发送AJAX请求,需要使用vue-resourceaxios等插件实现。
2) axios是一个基于PromiseHTTP请求客户端,用来发送请求,也是vue2.0官方推荐的,同时不再对vue-resource进行更新和维护。

axiosgithub上有详细的API使用说明 https://github.com/axios/axios#example

一、安装

$ npm install axios
$ bower install axios
$ yarn add axios
<script src="https://cdn.jsdelivr.net/npm/axios/dist/axios.min.js"></script>
<script src="https://unpkg.com/axios/dist/axios.min.js"></script>

二、简单使用案例

const axios = require('axios');

// 发起`get` 请求
axios.get('/user?ID=12345')
  .then(function (response) {
    // 请求成功后,这里处理返回数据
    console.log(response);
  })
  .catch(function (error) {
    //出现异常后,这里处理异常数据
    console.log(error);
  })
  .then(function () {
    // 这里 总是会进行,类似 `try`,`catch`,`finally`
  });
axios.post('/user', {
    firstName: 'Fred',
    lastName: 'Flintstone'
  })
  .then(function (response) {
    console.log(response);
  })
  .catch(function (error) {
    console.log(error);
  });

三、同时发送多个ajax请求

ajax请求为异步请求,有的时候我们的操作需要建立在前面的请求都已经完成的情况下。

function getFirstName() {
  axios.get('/user/12345/firstname');
  ....
}

function getLastName() {
  axios.get('/user/12345/lastname');
  ...
}

axios.all([getFirstName(), getLastName()])
  .then(axios.spread(function (acct, perms) {
    // 现在所有的请求都已经完成
    // 可以进行下一步操作了
  }));

四、在axios请求中修改 / 获取vue实例的数据

我们直接在axios中是无法修改vue实例的数据的。

var vm = new Vue({
    data: {
        name: '',
    },
    methods: {
        get_name() {
            axios({
                method: 'get',
                url: '/user/name/',
            }).then(function (response) {
                this.name = response.data; //这里的 `this` 并不是 vm 实例对象
            })
        }
    },
})

需要提前一步在get_name这个函数中获取this,因为get_name才是vue实例对象的方法。

new Vue({
    data: {
        name: '',
    },
    methods: {
        get_name() {
            var vm_obj = this // 获取 Vue 实例
            axios({
                method: 'get',
                url: '/user/name/',
            }).then(function (response) {
                vm_obj.name = response.data; //这里的 `this` 并不是 vm 实例对象
            })
        }
    },
})

五、axios发送请求的配置参数

我们可以使用以下方式,通过参数设置来完成发送请求,而不是像axios.get()这样高度耦合。

axios({
  method: 'post',
  url: '/user/12345',
  data: {
    firstName: 'Fred',
    lastName: 'Flintstone'
  }
});
- string, plain object, ArrayBuffer, ArrayBufferView, URLSearchParams
- Browser only: FormData, File, Blob
- Node only: Stream, Buffer
function (data, headers) {
    // Do whatever you want to transform the data

    return data;
  }
function (data) {
    // Do whatever you want to transform the data

    return data;
 }
上一篇下一篇

猜你喜欢

热点阅读