前言
如今,在项目中,普遍采用Axios库进行Http接口请求。它是基于promise的http库,可运行在浏览器端和node.js中。此外还有拦截请求和响应、转换JSON数据、客户端防御XSRF等优秀的特性。
考虑到各个项目实际使用时写法混乱,不统一。对Axios进行一下通用化的封装,目的是帮助简化代码和利于后期的更新维护,尽量通用化。
方法如下
1. vue安装axios
1
2
3
|
npm install axios -S
或者
npm i axios -S
|
2. 在main.js进行全局引入
1
2
|
import axios from 'axios'
Vue.prototype.$axios = axios //将axios绑定到vue的原型上
|
3. 配置跨域 在根目录下vue.config.js里边
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
|
module.exports = {
publicPath: './' ,
//配置跨域请求
devServer: {
open: true , //是否自动打开浏览器
https: false , //是否开启https
hotOnly: false ,
proxy: { // 配置跨域
'/api' : {
target: 'http://********' , //请求接口域名
ws: true ,
secure: false ,
changOrigin: true , //是否允许跨越
pathRewrite: {
'^/api' : ''
}
}
},
before: app => { }
}
}
|
4. 在src子目录下的api文件夹下创建api.js文件进行简单的封装axios
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
|
import axios from 'axios'
//这里引用了element的loading全屏加载
import { Loading } from "element-ui" ;
const service = axios.create({
baseURL: '/' ,
timeout: 30000 // 设置请求超时时间
})
let loading = "" ;
// 请求拦截器
service.interceptors.request.use(
(config) => {
// 在请求发送之前做一些处理
if (!(config.headers[ 'Content-Type' ])) {
loading = Loading.service({
lock: true ,
text: "加载中..." ,
spinner: "el-icon-loading" ,
background: "rgba(255,255,255,0.7)" ,
customClass: "request-loading" ,
});
if (config.method == 'post' ) {
config.headers[ 'Content-Type' ] =
'application/json;charset=UTF-8'
for ( var key in config.data) {
if (config.data[key] === '' ) {
delete config.data[key]
}
}
config.data = JSON.stringify(config.data)
} else {
config.headers[ 'Content-Type' ] =
'application/x-www-form-urlencoded;charset=UTF-8'
config.data = JSON.stringify(config.data)
}
}
const token = "token"
// 让每个请求携带token-- ['X-Token']为自定义key 请根据实际情况自行修改
if (token) {
config.headers[ 'Authorization' ] = token
}
return config
},
(error) => {
loading.close();
// 发送失败
console.log(error)
return Promise.reject(error)
}
)
// 响应拦截器
service.interceptors.response.use(
(response) => {
loading.close();
// dataAxios 是 axios 返回数据中的 data
// loadingInstance.close();
const dataAxios = response.data
// 这个状态码是和后端约定的
return dataAxios
},
(error) => {
return Promise.reject(error)
}
)
export default service
|
5. 在api文件夹下创建http文件
1
2
3
4
5
6
7
8
|
// 引入封装好的axios
// ps:如果没有封装,正常引入axios即可
import axios from "./api" ;
// /api为配置跨域的路径变量
let reportUpload= '/api/report/upload'
export const Upload= () => {
return axios.get( reportUpload )
}
|
6. 在页面中调用接口
1
2
3
4
5
6
7
8
|
// 引入封装好的接口
import { Upload} from "@/api/http.js" ;
// 调用时使用
async Upload() {
let { result } = await getlist ();
console.log(result)
},
|
总结
到此这篇关于vue中axios封装使用的文章就介绍到这了,更多相关vue axios封装使用内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://blog.csdn.net/qq_45970524/article/details/114264507