山东建设厅官方网站,react做的网站有哪些,网站建设常用英语,网络营销比赛 营销型网站策划文章目录 为什么要封装目标文件结构封装通用请求方法获得类型提示http 方法文件上传使用示例实例化post 请求类型提示文件上传 总结完整代码#xff1a; 为什么要封装
axios 本身已经很好用了#xff0c;看似多次一举的封装则是为了让 axios 与项目解耦。比如想要将网络请求… 文章目录 为什么要封装目标文件结构封装通用请求方法获得类型提示http 方法文件上传使用示例实例化post 请求类型提示文件上传 总结完整代码 为什么要封装
axios 本身已经很好用了看似多次一举的封装则是为了让 axios 与项目解耦。比如想要将网络请求换成 fetch那么只需按之前暴露的 api 重新封装一下 fetch 即可并不需要改动项目代码。 目标
统一请求API使用接口数据时能有代码提示 文件结构
│ index.ts # 实例化封装类实例
│
├─http
│ request.ts # 封装axios
│
└─moduleslogin.ts # 业务模块upload.ts封装通用请求方法
先封装一个通用的方法 request然后在此基础上封装出 http 方法
class HttpRequest {private readonly instance: AxiosInstance;constructor(config: AxiosRequestConfig) {this.instance axios.create(config);}requestTReqBodyData, TResData, TResStructure ResStructureTResData(config: AxiosRequestConfigTReqBodyData): PromiseTResStructure {return new PromiseTResStructure((resolve, reject) {this.instance.requestany, AxiosResponseTResStructure(config).then(res {// 返回接口数据resolve(res?.data);}).catch(err reject(err));});}
} 获得类型提示
我希望在使用请求方法时可以得到后端接口请求参数的提示并且希望在使用响应结果时也能得到类型提示。
因此设计了三个泛型
TReqBodyData请求体类型TResStructure接口响应结构类型 TResData接口响应 data 字段数据类型
并提供了一个默认的响应结构。使用时可以根据需要改成项目中通用的接口规则。当然在具体方法上也支持自定义响应接口结构以适应一些不符合通用接口规则的接口。
/** 默认接口返回结构 */
export interface ResStructureTResData any {code: number;data: TResData;msg?: string;
}http 方法
由 request 方法封装出 http 方法同名的 api。
getTReqBodyData, TResData, TResStructure ResStructureTResData(config?: AxiosRequestConfigTReqBodyData
): PromiseTResStructure {return this.request({ ...config, method: GET });
}postTReqBodyData, TResData, TResStructure ResStructureTResData(config: AxiosRequestConfigTReqBodyData
): PromiseTResStructure {return this.request({ ...config, method: POST });
}
...文件上传
文件上传一般使用 formdata我们也可以简易封装一下。
uploadFile 方法接收 4 个参数
axios config 对象表单内容 文件对象文件对象的表单字段名hash文件名更多的表单数据可通过泛型 TOtherFormData 指定类型 上传进度回调取消上传的 signal
export interface UploadFileParamsTOtherFormData Recordstring, any {file: File | Blob; // 文件对象fileHash?: string; // hashfilename?: string; // 文件名filed?: string; // formdata 中文件对象的字段formData?: TOtherFormData; // 文件其他的参数(对象 key-value 将作为表单数据)
}/*** 文件上传* param {AxiosRequestConfig} config axios 请求配置对象* param {UploadFileParams} params 待上传文件及其一些参数* param {(event: AxiosProgressEvent) void} uploadProgress 上传进度的回调函数* param {AbortSignal}cancelSignal 取消axios请求的 signal* returns*/uploadFileTOtherFormData(config: AxiosRequestConfig,params: UploadFileParamsTOtherFormData,uploadProgress?: (event: AxiosProgressEvent) void,cancelSignal?: AbortSignal) {const formData new window.FormData();// 设置默认文件表单字段为 fileconst customFilename params.filed ?? file;// 是否指定文件名没有就用文件本来的名字if (params.filename) {formData.append(customFilename, params.file, params.filename);formData.append(filename, params.filename);} else {formData.append(customFilename, params.file);}// 添加文件 hashif (params.fileHash) {formData.append(fileHash, params.fileHash);}// 是否有文件的额外信息补充进表单if (params.formData) {Object.keys(params.formData).forEach(key {const value params.formData![key as keyof TOtherFormData];if (Array.isArray(value)) {value.forEach(item {formData.append(${key}[], item);});return;}formData.append(key, value as any);});}return this.instance.request({...config,method: POST,timeout: 60 * 60 * 1000, // 60分钟data: formData,onUploadProgress: uploadProgress,signal: cancelSignal,headers: {Content-type: multipart/form-data;charsetUTF-8}});}使用示例 实例化
import HttpRequest from ./request;/** 实例化 */
const httpRequest new HttpRequest({baseURL: http://localhost:8080,timeout: 10000
}); post 请求
/** post 请求 */// 定义请求体类型
interface ReqBodyData {user: string;age: number;
}// 定义接口响应中 data 字段的类型
interface ResDataPost {token: string;
}export function postReq(data: ReqBodyData) {return httpRequest.postReqBodyData, ResDataPost({url: /__api/mock/post_test,data: data});
}
/** 发起请求 */
async function handleClickPost() {const res await postReq({ user: ikun, age: 18 });console.log(res);
}类型提示
获得使用请求方法时的请求接口参数类型提示 获得接口默认响应结构的提示 如果个别方法响应结构特殊则可传入第三个泛型自定义当前方法的响应结构
// 响应结构
interface ResStructure {code: number;list: string[];type: string;time: number;
}
function postReq(data: ReqBodyData) {return httpRequest.postReqBodyData, any, ResStructure({url: /__api/mock/post_test,data: data});
}当前方法自定义接口响应结构 获得接口响应中 data 字段的提示 文件上传
/*** 文件上传*/interface OtherFormData {fileSize: number;
}function uploadFileReq(fileInfo: UploadFileParamsOtherFormData,onUploadProgress?: (event: AxiosProgressEvent) void,signal?: AbortSignal
) {return httpRequest.uploadFileOtherFormData({baseURL: import.meta.env.VITE_APP_UPLOAD_BASE_URL,url: /upload},fileInfo,onUploadProgress,signal);
}
// 发起请求const controller new AbortController();async function handleClickUploadFile() {const file new File([hello], hello.txt, { type: text/plain });const res await uploadFileReq({ file, fileHash: xxxx, filename: hello.txt, formData: { fileSize: 1024 } },event console.log(event.loaded),controller.signal);console.log(res);
}总结
在通用请求方法 request 基础上封装了同名的 http 方法使用泛型可获得请求参数和请求结果的类型提示额外封装了文件上传的方法
完整代码
import axios, { AxiosInstance, AxiosProgressEvent, AxiosRequestConfig, AxiosResponse } from axios;export interface UploadFileParamsTOtherFormData Recordstring, any {file: File | Blob;fileHash?: string;filename?: string;filed?: string;formData?: TOtherFormData; // 文件其他的参数(对象 key-value 将作为表单数据)
}/** 默认接口返回结构 */
export interface ResStructureTResData any {code: number;data: TResData;msg?: string;
}/*** A wrapper class for making HTTP requests using Axios.* class HttpRequest* example* // Usage example:* const httpRequest new HttpRequest({baseURL: http://localhost:8888});* httpRequest.getTReqBodyData, TResData, TResStructure({ url: /users/1 })* .then(response {* console.log(response.name); // logs the name of the user* })* .catch(error {* console.error(error);* });** property {AxiosInstance} instance - The Axios instance used for making requests.*/
class HttpRequest {private readonly instance: AxiosInstance;constructor(config: AxiosRequestConfig) {this.instance axios.create(config);}/*** Sends a request and returns a Promise that resolves with the response data.* template TReqBodyData - The type of the request body.* template TResData - The type of the data field in the {code, data} response structure.* template TResStructure - The type of the response structure. The default is {code, data, msg}.* param {AxiosRequestConfig} [config] - The custom configuration for the request.* returns {PromiseTResStructure} - A Promise that resolves with the response data.* throws {Error} - If the request fails.** example* // Sends a GET request and expects a response with a JSON object.* const response await requestany, {name: string}({* method: GET,* url: /users/1,* });* console.log(response.name); // logs the name of the user*/requestTReqBodyData, TResData, TResStructure ResStructureTResData(config: AxiosRequestConfigTReqBodyData): PromiseTResStructure {return new PromiseTResStructure((resolve, reject) {this.instance.requestany, AxiosResponseTResStructure(config).then(res {// 返回接口数据resolve(res?.data);}).catch(err reject(err));});}/*** 发送 GET 请求* template TReqBodyData 请求体数据类型* template TResData 接口响应 data 字段数据类型* template TResStructure 接口响应结构默认为 {code, data, msg}* param {AxiosRequestConfig} config 请求配置* returns {Promise} 接口响应结果*/getTReqBodyData, TResData, TResStructure ResStructureTResData(config?: AxiosRequestConfigTReqBodyData): PromiseTResStructure {return this.request({ ...config, method: GET });}/*** 发送 post 请求* template TReqBodyData 请求体数据类型* template TResData 接口响应 data 字段数据类型* template TResStructure 接口响应结构默认为 {code, data, msg}* param {AxiosRequestConfig} config 请求配置* returns {Promise} 接口响应结果*/postTReqBodyData, TResData, TResStructure ResStructureTResData(config: AxiosRequestConfigTReqBodyData): PromiseTResStructure {return this.request({ ...config, method: POST });}patchTReqBodyData, TResData, TResStructure ResStructureTResData(config: AxiosRequestConfigTReqBodyData): PromiseTResStructure {return this.request({ ...config, method: PATCH });}deleteTReqBodyData, TResData, TResStructure ResStructureTResData(config?: AxiosRequestConfigTReqBodyData): PromiseTResStructure {return this.request({ ...config, method: DELETE });}/*** 获取当前 axios 实例*/getInstance(): AxiosInstance {return this.instance;}/*** 文件上传* param {AxiosRequestConfig} config axios 请求配置对象* param {UploadFileParams} params 待上传文件及其一些参数* param {(event: AxiosProgressEvent) void} uploadProgress 上传进度的回调函数* param {AbortSignal}cancelSignal 取消axios请求的 signal* returns*/uploadFileTOtherFormData any(config: AxiosRequestConfig,params: UploadFileParamsTOtherFormData,uploadProgress?: (event: AxiosProgressEvent) void,cancelSignal?: AbortSignal) {const formData new window.FormData();// 设置默认文件表单字段为 fileconst customFilename params.filed || file;// 是否指定文件名没有就用文件本来的名字if (params.filename) {formData.append(customFilename, params.file, params.filename);formData.append(filename, params.filename);} else {formData.append(customFilename, params.file);}// 添加文件 hashif (params.fileHash) {formData.append(fileHash, params.fileHash);}// 是否有文件的额外信息补充进表单if (params.formData) {Object.keys(params.formData).forEach(key {const value params.formData![key as keyof TOtherFormData];if (Array.isArray(value)) {value.forEach(item {// 对象属性值为数组时表单字段加一个[]formData.append(${key}[], item);});return;}formData.append(key, value as any);});}return this.instance.request({...config,method: POST,timeout: 60 * 60 * 1000, // 60分钟data: formData,onUploadProgress: uploadProgress,signal: cancelSignal,headers: {Content-type: multipart/form-data;charsetUTF-8}});}
}export default HttpRequest;