axios统一接口管理及优化
程序员文章站
2022-06-15 18:11:34
之前我写了一篇文章,分享了自己的项目中对于接口管理的方法。总结下来就是:定义接口文件--withAxios导出--调用接口方法。这样实现了接口的统一管理和调用接口的语义化与简单化。 根据在项目的使用,发现有以下问题需要优化: 根据以上问题,采用了以下解决方案: 通过代码展示一下(React项目): ......
之前我写了,分享了自己的项目中对于接口管理的方法。总结下来就是:定义接口文件--withaxios导出--调用接口方法。这样实现了接口的统一管理和调用接口的语义化与简单化。
根据在项目的使用,发现有以下问题需要优化:
- withaxios导出的接口方法对象对编辑器来说是不透明的,所以代码提示功能缺失。
- 同一个方法调用多次,如何保证组件总是获取到最后一次的返回信息。
根据以上问题,采用了以下解决方案:
- 使用typescript的泛型解决。
- 调用同一个方法时,取消掉上次未完成的请求,这里使用axios的cancel方法。实现思路是在返回的方法对象中增加一个`${name}cancel`的方法,保存取消上一次方法的回调,下次请求时固定调用这个取消方法以保证本次请求是当前唯一一个请求。(这里只提供axios层面的解决办法,不讨论其他办法,比如采用redux-saga的话可以使用takelatest解决)
通过代码展示一下(react项目):
service.ts
import { iapiitem } from '@/configs/api/declares'; import withaxios from '@/utils/withaxios'; const api: iapiitem[] = [ { name: 'getsummary', url: 'http://xx:8000/api/getsummary' }, { name: 'getdetail', url: 'http://xx:8000/api/getdetail' }, { name: 'getdetailchildren', url: 'http://xx:8000/api/getdetailchildren' }, { name: 'getcurrentuser', url: 'http://xx:8000/api/getcurrentuser' }, ]; interface iprodmonitorapi { getsummary: any; getdetail: any; getdetailchildren: any; getcurrentuser: any; } export default withaxios<iprodmonitorapi>(api);
withaxios.ts
function withaxios<t>(apiconfig: iapiitem[], usepassportorigin: boolean = false): t { const servicemap = {} as t; apiconfig.map(({ name, url, method = 'get', ...rest }: iapiitem) => { return (servicemap[name] = async function(data = {}) { if (servicemap[`${name}cancel`] && typeof servicemap[`${name}cancel`] === 'function') { servicemap[`${name}cancel`](); } const source = axios.canceltoken.source(); servicemap[`${name}cancel`] = () => { source.cancel(`已取消上次未完成请求:${name}`); }; rest.canceltoken = source.token; let key = 'params'; const apimethod = method.tolowercase(); if (apimethod === 'post' || apimethod === 'put') { key = 'data'; } let fetchurl = url; if (url.indexof('http') !== 0) { fetchurl = usepassportorigin ? networkutils.passportorigin + url : networkutils.serverorigin + url; } return axios({ method, url: fetchurl, [key]: data, fetchname: name, ...rest, } as axiosrequestconfig); }); }); return servicemap; } export default withaxios;
在需要使用接口的地方:
import service from "./service.ts" service.getsummary(requestparams).then(...)
说明:
- 使用泛型虽然有了代码提示,但是额外增加了编码量,因为要手动维护一个方法接口,有利有弊吧,通过ts我还没有找到更好的方法。同事之前有过一个解决办法:接口管理使用对象的形式,然后withaxios修改这个对象各属性的getter,将getter指向通过axios包装后的方法,最终实现了本文相同的调用方式和代码提示,但这种方法有点hack的感觉。
- cancel掉上一个接口这种方式保证了数据总是来源于最后一个请求接口,但有时可能会出现问题,比如:在同一个页面需要展示两种用户:common用户和admin用户,后端给的接口是/api/v1/user,当参数type=1时为common,type=2时为admin,如果我们把这个接口定义为一个方法getuser,在这个页面会同时发出两个请求:service.getuser({type:1}),service.getuser({type:2}),但是,由于withaxios会取消上一个相同方法的请求,那么很可能有一个请求被取消,解决办法是在service中定义为两种方法:getcommonuser和getadminuser,将type直接写入url中。这样也符合我们语义化的目标。