1. 写在前面
虽然说Fetch API
已经使用率已经非常的高了,但是在一些老的浏览器还是不支持的,而且 axios 仍然每周都保持 2000 多万的下载量,这就说明了 axios 仍然存在不可撼动的地位,接下来我们就一步一步的去封装,实现一个灵活、可复用的一个请求请发。
这篇文章封装的axios
已经满足如下功能:
- 无处不在的代码提示;
- 灵活的拦截器;
- 可以创建多个实例,灵活根据项目进行调整;
- 每个实例,或者说每个接口都可以灵活配置请求头、超时时间等;
- 取消请求(可以根据 url 取消单个请求也可以取消全部请求)。
2. 基础封装
首先我们实现一个最基本的版本,实例代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
| import axios from "axios"; import type { AxiosInstance, AxiosRequestConfig } from "axios";
class Request { instance: AxiosInstance;
constructor(config: AxiosRequestConfig) { this.instance = axios.create(config); } request(config: AxiosRequestConfig) { return this.instance.request(config); } }
export default Request;
|
这里将其封装为一个类,而不是一个函数的原因是因为类可以创建多个实例,适用范围更广,封装性更强一些。
3. 拦截器封装
首先我们封装一下拦截器,这个拦截器分为三种:
接下来我们就分别实现这三个拦截器。
值得注意的是在axios
最新版本中中请求拦截器的类型已经从AxiosRequestConfig
变成了InternalAxiosRequestConfig
,下文中还是使用的AxiosRequestConfig
,不过在最后的源码中已经更新,各位看官可以根据自己需要更新。
3.1. 类拦截器
类拦截器比较容易实现,只需要在类中对axios.create()
创建的实例调用interceptors
下的两个拦截器即可,实例代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
| constructor(config: AxiosRequestConfig) { this.instance = axios.create(config)
this.instance.interceptors.request.use( (res: AxiosRequestConfig) => { console.log('全局请求拦截器') return res }, (err: any) => err, ) this.instance.interceptors.response.use( (res: AxiosResponse) => { console.log('全局响应拦截器') return res.data }, (err: any) => err, ) }
|
我们在这里对响应拦截器做了一个简单的处理,就是将请求结果中的.data
进行返回,因为我们对接口请求的数据主要是存在在.data
中,跟data
同级的属性我们基本是不需要的。
3.2. 实例拦截器
实例拦截器是为了保证封装的灵活性,因为每一个实例中的拦截后处理的操作可能是不一样的,所以在定义实例时,允许我们传入拦截器。
首先我们定义一下 interface,方便类型提示,代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| import type { AxiosRequestConfig, AxiosResponse } from "axios"; export interface RequestInterceptors { requestInterceptors?: (config: AxiosRequestConfig) => AxiosRequestConfig; requestInterceptorsCatch?: (err: any) => any; responseInterceptors?: (config: AxiosResponse) => AxiosResponse; responseInterceptorsCatch?: (err: any) => any; }
export interface RequestConfig extends AxiosRequestConfig { interceptors?: RequestInterceptors; }
|
定义好基础的拦截器后,我们需要改造我们传入的参数的类型,因为 axios 提供的AxiosRequestConfig
是不允许我们传入拦截器的,所以说我们自定义了RequestConfig
,让其继承与AxiosRequestConfig
。
剩余部分的代码也比较简单,如下所示:
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
| import axios, { AxiosResponse } from "axios"; import type { AxiosInstance, AxiosRequestConfig } from "axios"; import type { RequestConfig, RequestInterceptors } from "./types";
class Request { instance: AxiosInstance; interceptorsObj?: RequestInterceptors;
constructor(config: RequestConfig) { this.instance = axios.create(config); this.interceptorsObj = config.interceptors;
this.instance.interceptors.request.use( (res: AxiosRequestConfig) => { console.log("全局请求拦截器"); return res; }, (err: any) => err );
this.instance.interceptors.request.use( this.interceptorsObj?.requestInterceptors, this.interceptorsObj?.requestInterceptorsCatch ); this.instance.interceptors.response.use( this.interceptorsObj?.responseInterceptors, this.interceptorsObj?.responseInterceptorsCatch ); this.instance.interceptors.response.use( (res: AxiosResponse) => { console.log("全局响应拦截器"); return res.data; }, (err: any) => err ); } }
|
我们的拦截器的执行顺序为实例请求 → 类请求 → 实例响应 → 类响应;这样我们就可以在实例拦截上做出一些不同的拦截,
3.3. 接口拦截
现在我们对单一接口进行拦截操作,首先我们将AxiosRequestConfig
类型修改为RequestConfig
允许传递拦截器;然后我们在类拦截器中将接口请求的数据进行了返回,也就是说在request()
方法中得到的类型就不是AxiosResponse
类型了。
我们查看 axios 的index.d.ts
中,对request()
方法的类型定义如下:
1 2
| request<T = any, R = AxiosResponse<T>, D = any>(config: AxiosRequestConfig<D>): Promise<R>;
|
也就是说它允许我们传递类型,从而改变request()
方法的返回值类型,我们的代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
| request<T>(config: RequestConfig): Promise<T> { return new Promise((resolve, reject) => { if (config.interceptors?.requestInterceptors) { config = config.interceptors.requestInterceptors(config) } this.instance .request<any, T>(config) .then(res => { if (config.interceptors?.responseInterceptors) { res = config.interceptors.responseInterceptors<T>(res) }
resolve(res) }) .catch((err: any) => { reject(err) }) }) }
|
这里还存在一个细节,就是我们在拦截器接受的类型一直是AxiosResponse
类型,而在类拦截器中已经将返回的类型改变,所以说我们需要为拦截器传递一个泛型,从而使用这种变化,修改types.ts
中的代码,示例如下:
1 2 3 4 5 6 7 8 9
| export interface RequestInterceptors { requestInterceptors?: (config: AxiosRequestConfig) => AxiosRequestConfig; requestInterceptorsCatch?: (err: any) => any; responseInterceptors?: <T = AxiosResponse>(config: T) => T; responseInterceptorsCatch?: (err: any) => any; }
|
请求接口拦截是最前执行,而响应拦截是最后执行。
4. 封装请求方法
现在我们就来封装一个请求方法,首先是类进行实例化示例代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
| import Request from "./request";
const request = new Request({ baseURL: import.meta.env.BASE_URL, timeout: 1000 * 60 * 5, interceptors: { requestInterceptors: config => { console.log("实例请求拦截器");
return config; }, responseInterceptors: result => { console.log("实例响应拦截器"); return result; } } });
|
然后我们封装一个请求方法, 来发送网络请求,代码如下:
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
| import Request from "./request";
import type { RequestConfig } from "./request/types"; interface YWZRequestConfig<T> extends RequestConfig { data?: T; } interface YWZResponse<T> { code: number; message: string; data: T; }
const ywzRequest = <D, T = any>(config: YWZRequestConfig<D>) => { const { method = "GET" } = config; if (method === "get" || method === "GET") { config.params = config.data; } return request.request<YWZResponse<T>>(config); };
export default ywzRequest;
|
该请求方式默认为 GET,且一直用data
作为参数;
5. 取消请求
axiosv0.22.0
版本中新的取消请求方案在:封装新版 axios(v0.22.0)中的取消请求 - 掘金 (juejin.cn)中,欢迎各位客官食用。
应评论区@Pic
、@Michaelee
和@Alone_Error
的建议,这里增加了一个取消请求;关于什么是取消请求可以参考官方文档。
5.1. 准备工作
我们需要将所有请求的取消方法保存到一个集合(这里我用的数组,也可以使用 Map)中,然后根据具体需要去调用这个集合中的某个取消请求方法。
首先定义两个集合,示例代码如下:
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
| import type { RequestConfig, RequestInterceptors, CancelRequestSource } from "./types";
class Request {
cancelRequestSourceList?: CancelRequestSource[];
requestUrlList?: string[];
constructor(config: RequestConfig) { this.requestUrlList = []; this.cancelRequestSourceList = []; } }
|
这里用的CancelRequestSource
接口,我们去定义一下:
1 2 3 4
| export interface CancelRequestSource { [index: string]: () => void; }
|
这里的key
是不固定的,因为我们使用url
做key
,只有在使用的时候才知道url
,所以这里使用这种语法。
5.2. 取消请求方法的添加与删除
首先我们改造一下request()
方法,它需要完成两个工作,一个就是在请求之前将url
和取消请求方法push
到我们前面定义的两个属性中,然后在请求完毕后(不管是失败还是成功)都将其进行删除,实现代码如下:
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
| request<T>(config: RequestConfig): Promise<T> { return new Promise((resolve, reject) => { if (config.interceptors?.requestInterceptors) { config = config.interceptors.requestInterceptors(config) } const url = config.url if (url) { this.requestUrlList?.push(url) config.cancelToken = new axios.CancelToken(c => { this.cancelRequestSourceList?.push({ [url]: c, }) }) } this.instance .request<any, T>(config) .then(res => { if (config.interceptors?.responseInterceptors) { res = config.interceptors.responseInterceptors<T>(res) }
resolve(res) }) .catch((err: any) => { reject(err) }) .finally(() => { url && this.delUrl(url) }) }) }
|
这里我们将删除操作进行了抽离,将其封装为一个私有方法,示例代码如下:
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
|
private getSourceIndex(url: string): number { return this.cancelRequestSourceList?.findIndex( (item: CancelRequestSource) => { return Object.keys(item)[0] === url }, ) as number }
private delUrl(url: string) { const urlIndex = this.requestUrlList?.findIndex(u => u === url) const sourceIndex = this.getSourceIndex(url) urlIndex !== -1 && this.requestUrlList?.splice(urlIndex as number, 1) sourceIndex !== -1 && this.cancelRequestSourceList?.splice(sourceIndex as number, 1) }
|
5.3. 取消请求方法
现在我们就可以封装取消请求和取消全部请求了,我们先来封装一下取消全部请求吧,这个比较简单,只需要调用this.cancelRequestSourceList
中的所有方法即可,实现代码如下:
1 2 3 4 5 6 7 8
|
cancelAllRequest() { this.cancelRequestSourceList?.forEach(source => { const key = Object.keys(source)[0] source[key]() }) }
|
现在我们封装一下取消请求,因为它可以取消一个和多个,那它的参数就是url
,或者包含多个 URL 的数组,然后根据传值的不同去执行不同的操作,实现代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
|
cancelRequest(url: string | string[]) { if (typeof url === 'string') { const sourceIndex = this.getSourceIndex(url) sourceIndex >= 0 && this.cancelRequestSourceList?.[sourceIndex][url]() } else { url.forEach(u => { const sourceIndex = this.getSourceIndex(u) sourceIndex >= 0 && this.cancelRequestSourceList?.[sourceIndex][u]() }) } }
|
6. 测试
6.1. 测试请求方法
现在我们就来测试一下这个请求方法,这里我们使用www.apishop.net/提供的免费 API 进行测试,测试代码如下:
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
| <script setup lang="ts">
import request from './service' import { onMounted } from 'vue'
interface Req { apiKey: string area?: string areaID?: string } interface Res { area: string areaCode: string areaid: string dayList: any[] } const get15DaysWeatherByArea = (data: Req) => { return request<Req, Res>({ url: '/api/common/weather/get15DaysWeatherByArea', method: 'GET', data, interceptors: { requestInterceptors(res) { console.log('接口请求拦截')
return res }, responseInterceptors(result) { console.log('接口响应拦截') return result }, }, }) } onMounted(async () => { const res = await get15DaysWeatherByArea({ apiKey: import.meta.env.VITE_APP_KEY, area: '北京市', }) console.log(res.result.dayList) }) </script>
|
如果在实际开发中可以将这些代码分别抽离。
上面的代码在命令中输出
1 2 3 4 5 6 7
| 接口请求拦截 实例请求拦截器 全局请求拦截器 实例响应拦截器 全局响应拦截器 接口响应拦截 [{…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}]
|
6.2. 测试取消请求
首先我们在.server/index.ts
中对取消请求方法进行导出,实现代码如下:
1 2 3 4 5 6 7 8
| export const cancelRequest = (url: string | string[]) => { return request.cancelRequest(url); };
export const cancelAllRequest = () => { return request.cancelAllRequest(); };
|
然后我们在app.vue
中对其进行引用,实现代码如下:
1 2 3 4 5 6 7 8 9 10 11
| <template> <el-button @click="cancelRequest('/api/common/weather/get15DaysWeatherByArea')" >取消请求</el-button > <el-button @click="cancelAllRequest">取消全部请求</el-button> <router-view></router-view> </template> <script setup lang="ts"> import request, { cancelRequest, cancelAllRequest } from './service' </script>
|
发送请求后,点击按钮即可实现对应的功能
7. 写在最后
本篇文章到这里就结束了,如果文章对你有用,可以三连支持一下,如果文章中有错误或者说你有更好的见解,欢迎指正~
项目地址:ywanzhou/vue3-template (github.com)
PS:大部分代码和思路来自王红元(coderwhy)老师,我做些许调整,整理发布
文章转自在项目中用 ts 封装 axios,一次封装整个团队受益