feat(project): 优化axios和请求类型

This commit is contained in:
chen.home 2023-03-25 15:43:36 +08:00
parent 0181de4670
commit 2d39077bd0
18 changed files with 242 additions and 282 deletions

View File

@ -10,7 +10,7 @@ const userInfo = {
userName: 'iamsee', userName: 'iamsee',
realName: '管理员大人', realName: '管理员大人',
avatar: 'https://z3.ax1x.com/2021/10/29/5jnWgf.jpg', avatar: 'https://z3.ax1x.com/2021/10/29/5jnWgf.jpg',
role: "user", role: "super",
}; };
const userRoutes = [ const userRoutes = [
{ {

View File

@ -1,5 +1,6 @@
/** 默认实例的Aixos配置 */ /** 默认实例的Aixos配置 */
export const DEFAULT_AXIOS_OPTIONS = { import type { AxiosRequestConfig } from 'axios';
export const DEFAULT_AXIOS_OPTIONS: AxiosRequestConfig = {
// 请求超时时间,默认15秒 // 请求超时时间,默认15秒
timeout: 15 * 1000, timeout: 15 * 1000,
}; };

View File

@ -0,0 +1,5 @@
/** 用户性别 */
export const genderLabels: Record<NonNullable<CommonList.GenderType>, string> = {
0: '女',
1: '男'
};

1
src/constants/index.ts Normal file
View File

@ -0,0 +1 @@
export * from './business'

View File

@ -1,5 +0,0 @@
export enum EnumContentType {
json = 'application/json',
formUrlencoded = 'application/x-www-form-urlencoded',
formData = 'multipart/form-data',
}

View File

@ -1 +0,0 @@
export * from './common';

View File

@ -4,15 +4,12 @@ interface Ilogin {
userName: string; userName: string;
password: string; password: string;
} }
interface Itoken {
token: string;
refreshToken: string;
}
export function fetchLogin(params: Ilogin) { export function fetchLogin(params: Ilogin) {
return mockRequest.post<any>('/login', params); return mockRequest.post<any>('/login', params);
} }
export function fetchUpdateToken(params: any) { export function fetchUpdateToken(params: any) {
return mockRequest.post<Itoken>('/updateToken', params); return mockRequest.post<ApiAuth.loginToken>('/updateToken', params);
} }
export function fetchUserInfo() { export function fetchUserInfo() {
return mockRequest.get<Auth.UserInfo>('/getUserInfo'); return mockRequest.get<Auth.UserInfo>('/getUserInfo');

View File

@ -1,28 +1,25 @@
import { request } from '../http'; import { request } from '../http';
import { mockRequest } from '../http'; import { mockRequest } from '../http';
interface Itest {
data: string;
}
/* get方法测试 */ /* get方法测试 */
export function fetachGet() { export function fetachGet(params?:any) {
return request.get('/getAPI'); return request.get('/getAPI', { params });
} }
/* post方法测试 */ /* post方法测试 */
export function fetachPost(params: Itest) { export function fetachPost(data: any) {
return request.post('/postAPI', params); return request.post('/postAPI', data);
}
/* formPost方法测试 */
export function fetachFormPost(data: any) {
return request.formPost('/postAPI', data);
} }
/* delete方法测试 */ /* delete方法测试 */
export function fetachDelete() { export function fetachDelete() {
return request.delete('/deleteAPI'); return request.delete('/deleteAPI');
} }
/* put方法测试 */ /* put方法测试 */
export function fetachPut(params: Itest) { export function fetachPut(data: any) {
return request.put('/putAPI', params); return request.put('/putAPI', data);
}
/* patch方法测试 */
export function fetachPatch(params: Itest) {
return request.patch('/patchAPI', params);
} }
/* 测试状态码500失败 */ /* 测试状态码500失败 */

View File

@ -9,7 +9,7 @@ import {
handleServiceResult, handleServiceResult,
handleRefreshToken, handleRefreshToken,
} from './handle'; } from './handle';
import { transformRequestData } from './utils'; import { transformRequestData, clearInvalidParameters } from './utils';
import { DEFAULT_AXIOS_OPTIONS, DEFAULT_BACKEND_OPTIONS } from '@/config'; import { DEFAULT_AXIOS_OPTIONS, DEFAULT_BACKEND_OPTIONS } from '@/config';
@ -36,16 +36,15 @@ export default class createAxiosInstance {
async (config) => { async (config) => {
const handleConfig = { ...config }; const handleConfig = { ...config };
if (handleConfig.headers) { if (handleConfig.headers) {
// 清除无效字段
handleConfig.data = clearInvalidParameters(handleConfig.data)
// 数据格式转换 // 数据格式转换
// handleConfig.headers.setContentType('application/json'); const contentType = handleConfig.headers.getContentType() as unknown as UnionKey.ContentType
// const contentType = handleConfig.headers.get('Content-Type'); if (contentType) {
handleConfig.data = await transformRequestData(handleConfig.data, contentType);
const contentType = 'application/json'; }
handleConfig.data = await transformRequestData(handleConfig.data, contentType);
// 设置token // 设置token
typeof handleConfig.headers.set === 'function' && handleConfig.headers.setAuthorization(`Bearer ${local.get('token') || ''}`)
handleConfig.headers.set('Authorization', `Bearer ${local.get('token') || ''}`);
} }
return handleConfig; return handleConfig;
}, },

View File

@ -9,14 +9,14 @@ interface RequestParam {
config?: AxiosRequestConfig; config?: AxiosRequestConfig;
} }
async function getRequestResponse(params: { async function getRequestResponse(options: {
instance: AxiosInstance; instance: AxiosInstance;
method: RequestMethod; method: RequestMethod;
url: string; url: string;
data?: any; data?: any;
config?: AxiosRequestConfig; config?: AxiosRequestConfig;
}) { }) {
const { instance, method, url, data, config } = params; const { instance, method, url, data, config } = options;
let res: any; let res: any;
if (method === 'get' || method === 'delete') { if (method === 'get' || method === 'delete') {
@ -74,12 +74,23 @@ export function createRequest(axiosConfig: AxiosRequestConfig, backendConfig?: S
return asyncRequest<T>({ url, method: 'post', data, config: config }); return asyncRequest<T>({ url, method: 'post', data, config: config });
} }
/**
* post请求-form参数形式
* @param url -
* @param data - body的data
* @param config - axios配置
*/
function formPost<T>(url: string, data?: any, config: AxiosRequestConfig = {}) {
config.headers = { 'Content-Type': 'application/x-www-form-urlencoded' }
return asyncRequest<T>({ url, method: 'post', data, config: config });
}
/** /**
* delete请求 * delete请求
* @param url - * @param url -
* @param config - axios配置 * @param config - axios配置
*/ */
function handleDelete<T>(url: string, config?: AxiosRequestConfig) { function handleDelete<T>(url: string, params?: any, config?: AxiosRequestConfig) {
return asyncRequest<T>({ url, method: 'delete', config: config }); return asyncRequest<T>({ url, method: 'delete', config: config });
} }
@ -93,21 +104,11 @@ export function createRequest(axiosConfig: AxiosRequestConfig, backendConfig?: S
return asyncRequest<T>({ url, method: 'put', data, config: config }); return asyncRequest<T>({ url, method: 'put', data, config: config });
} }
/**
* patch请求
* @param url -
* @param data - body的data
* @param config - axios配置
*/
function patch<T>(url: string, data?: any, config?: AxiosRequestConfig) {
return asyncRequest<T>({ url, method: 'patch', data, config: config });
}
return { return {
get, get,
post, post,
delete: handleDelete, formPost,
put, put,
patch, delete: handleDelete,
}; };
} }

View File

@ -1,6 +1,5 @@
import { ERROR_MSG_DURATION, ERROR_NO_TIP_STATUS } from '@/config'; import { ERROR_MSG_DURATION, ERROR_NO_TIP_STATUS } from '@/config';
import { isArray, isFile, isEmpty, isNullOrUnDef } from '@/utils'; import { isArray, isFile, isEmpty, isNullOrUnDef } from '@/utils';
import { EnumContentType } from '@/enum';
import qs from 'qs'; import qs from 'qs';
export function showError(error: Service.RequestError) { export function showError(error: Service.RequestError) {
@ -16,17 +15,16 @@ export function showError(error: Service.RequestError) {
* @param requestData - * @param requestData -
* @param contentType - Content-Type * @param contentType - Content-Type
*/ */
export async function transformRequestData(requestData: any, contentType?: string) { export async function transformRequestData(requestData: any, contentType?: UnionKey.ContentType) {
// application/json类型不处理 // application/json类型不处理,清除发送参数的无效字段
let data: any = clearInvalidParameters(requestData); let data: any = clearInvalidParameters(requestData);
// let data = requestData;
// form类型转换 // form类型转换
if (contentType === EnumContentType.formUrlencoded) { if (contentType === 'application/x-www-form-urlencoded') {
data = qs.stringify(data); data = qs.stringify(data);
} }
// form-data类型转换 // form-data类型转换
if (contentType === EnumContentType.formData) { if (contentType === 'multipart/form-data') {
data = await handleFormData(data); data = await handleFormData(data);
} }
@ -40,8 +38,9 @@ async function handleFormData(data: Record<string, any>) {
entries.forEach(async ([key, value]) => { entries.forEach(async ([key, value]) => {
const isFileType = isFile(value) || (isArray(value) && value.length && isFile(value[0])); const isFileType = isFile(value) || (isArray(value) && value.length && isFile(value[0]));
if (isFileType) { if (isFileType && isArray(value)) {
await transformFile(formData, key, value); value.forEach((item) => formData.append(key, item))
} else { } else {
formData.append(key, value); formData.append(key, value);
} }
@ -50,31 +49,11 @@ async function handleFormData(data: Record<string, any>) {
return formData; return formData;
} }
/**
*
* @param key -
* @param file -
*/
async function transformFile(formData: FormData, key: string, file: File[] | File) {
if (isArray(file)) {
// 多文件
await Promise.all(
(file as File[]).map((item) => {
formData.append(key, item);
return true;
})
);
} else {
// 单文件
formData.append(key, file);
}
}
/** /**
* *
* @param requestData - * @param requestData -
*/ */
function clearInvalidParameters(requestData: Record<string, any>) { export function clearInvalidParameters(requestData: Record<string, any>) {
const result: Record<string, any> = {}; const result: Record<string, any> = {};
for (const key in requestData) { for (const key in requestData) {
if (isEmpty(requestData[key]) || isNullOrUnDef(requestData[key])) continue; if (isEmpty(requestData[key]) || isNullOrUnDef(requestData[key])) continue;

View File

@ -52,7 +52,7 @@ export const useAuthStore = defineStore('auth-store', {
}, },
/* 登录后的处理函数 */ /* 登录后的处理函数 */
async handleAfterLogin(data: Auth.loginToken) { async handleAfterLogin(data: ApiAuth.loginToken) {
// 将token和userInfo保存下来 // 将token和userInfo保存下来
const catchSuccess = await this.catchUserInfo(data); const catchSuccess = await this.catchUserInfo(data);
@ -85,7 +85,7 @@ export const useAuthStore = defineStore('auth-store', {
}, },
/* 缓存用户信息 */ /* 缓存用户信息 */
async catchUserInfo(userToken: Auth.loginToken) { async catchUserInfo(userToken: ApiAuth.loginToken) {
let catchSuccess = false; let catchSuccess = false;
// 先存储token // 先存储token
const { token, refreshToken } = userToken; const { token, refreshToken } = userToken;

19
src/typings/api.d.ts vendored
View File

@ -4,4 +4,23 @@
declare namespace ApiAuth { declare namespace ApiAuth {
/** 返回的用户信息 */ /** 返回的用户信息 */
type UserInfo = Auth.UserInfo; type UserInfo = Auth.UserInfo;
/* 登录token字段 */
interface loginToken {
token: string;
refreshToken: string;
}
}
declare namespace CommonList {
/* 返回的性别类型 */
type GenderType = '0' | '1' | null;
interface UserList {
id: number;
name: string;
age: number;
gender: GenderType;
email: string;
address: string;
role: Auth.RoleType;
disabled: boolean;
}
} }

View File

@ -1,19 +1,7 @@
/** 用户相关模块 */ /** 用户相关模块 */
declare namespace Auth { declare namespace Auth {
/** /** 用户角色类型 */
* () type RoleType = 'super' | 'admin' | 'user';
* - super: ()
* - admin: 管理员
* - user: 用户
* - custom: 自定义角色
*/
/** 用户信息 */
interface loginToken {
token: string;
refreshToken: string;
}
type RoleType = 'super' | 'admin' | 'manage' | 'user';
interface UserInfo { interface UserInfo {
/** 用户id */ /** 用户id */
userId: number; userId: number;
@ -48,15 +36,3 @@ declare namespace Message {
} }
} }
declare namespace CommonList {
interface UserList {
id: number;
name: string;
age: number;
gender: '0' | '1' | null;
email: string;
address: string;
role: RoleType;
disabled: boolean;
}
}

3
src/typings/naive-ui.d.ts vendored Normal file
View File

@ -0,0 +1,3 @@
declare namespace NaiveUI {
type ThemeColor = 'default' | 'error' | 'primary' | 'info' | 'success' | 'warning';
}

4
src/typings/union-key.d.ts vendored Normal file
View File

@ -0,0 +1,4 @@
declare namespace UnionKey {
/* http请求头content-type类型 */
type ContentType = 'application/json' | 'application/x-www-form-urlencoded' | 'multipart/form-data';
}

View File

@ -132,161 +132,160 @@
</template> </template>
<script setup lang="tsx"> <script setup lang="tsx">
import { onMounted, ref, h } from 'vue'; import { onMounted, ref, h } from 'vue';
import { fetchUserList } from '@/service'; import { fetchUserList } from '@/service';
import type { DataTableColumns } from 'naive-ui'; import type { DataTableColumns } from 'naive-ui';
import { NButton, NPopconfirm, NSpace, NSwitch, NTag, FormInst } from 'naive-ui'; import { NButton, NPopconfirm, NSpace, NSwitch, NTag, FormInst } from 'naive-ui';
import { useLoading, useBoolean } from '@/hooks'; import { useLoading, useBoolean } from '@/hooks';
import TableModal from './components/TableModal.vue'; import {genderLabels} from '@/constants'
import TableModal from './components/TableModal.vue';
const { loading, startLoading, endLoading } = useLoading(false); const { loading, startLoading, endLoading } = useLoading(false);
const { bool: visible, setTrue: openModal } = useBoolean(false); const { bool: visible, setTrue: openModal } = useBoolean(false);
const initialModel = { condition_1: '', condition_2: '', condition_3: '', condition_4: '' }; const initialModel = { condition_1: '', condition_2: '', condition_3: '', condition_4: '' };
const model = ref({ ...initialModel }); const model = ref({ ...initialModel });
const formRef = ref<FormInst | null>(); const formRef = ref<FormInst | null>();
const columns: DataTableColumns = [ const columns: DataTableColumns = [
{ {
title: '姓名', title: '姓名',
align: 'center', align: 'center',
key: 'name', key: 'name',
},
{
title: '年龄',
align: 'center',
key: 'age',
},
{
title: '性别',
align: 'center',
key: 'gender',
render: (row) => {
const rowData = row as unknown as CommonList.UserList;
const tagType = {
'0': {
label: '女',
type: 'primary',
},
'1': {
label: '男',
type: 'success',
},
} as const;
if (rowData.gender) {
return <NTag type={tagType[rowData.gender].type}>{tagType[rowData.gender].label}</NTag>;
}
}, },
}, {
{ title: '年龄',
title: '邮箱', align: 'center',
align: 'center', key: 'age',
key: 'email',
},
{
title: '地址',
align: 'center',
key: 'address',
},
{
title: '角色',
align: 'center',
key: 'role',
render: (row) => {
const rowData = row as unknown as CommonList.UserList;
const tagType = {
super: 'primary',
admin: 'warning',
user: 'success',
} as const;
return <NTag type={tagType[rowData.role]}>{rowData.role}</NTag>;
}, },
}, {
{ title: '性别',
title: '状态', align: 'center',
align: 'center', key: 'gender',
key: 'disabled', render: (row) => {
render: (row) => { const rowData = row as unknown as CommonList.UserList;
const rowData = row as unknown as CommonList.UserList; const tagType = {
0: 'primary',
1: 'success',
} as const;
if (rowData.gender) {
return <NTag type={tagType[rowData.gender]}>{genderLabels[rowData.gender]}</NTag>;
}
},
},
{
title: '邮箱',
align: 'center',
key: 'email',
},
{
title: '地址',
align: 'center',
key: 'address',
},
{
title: '角色',
align: 'center',
key: 'role',
render: (row) => {
const rowData = row as unknown as CommonList.UserList;
const tagType: Record<Auth.RoleType, NaiveUI.ThemeColor> = {
super: 'primary',
admin: 'warning',
user: 'success',
};
return <NTag type={tagType[rowData.role]}>{rowData.role}</NTag>;
},
},
{
title: '状态',
align: 'center',
key: 'disabled',
render: (row) => {
const rowData = row as unknown as CommonList.UserList;
return ( return (
<NSwitch value={rowData.disabled} onUpdateValue={(disabled) => handleUpdateDisabled(disabled, rowData.id)}> <NSwitch
{{ checked: () => '启用', unchecked: () => '禁用' }} value={rowData.disabled}
</NSwitch> onUpdateValue={(disabled) => handleUpdateDisabled(disabled, rowData.id)}>
); {{ checked: () => '启用', unchecked: () => '禁用' }}
</NSwitch>
);
},
}, },
}, {
{ title: '操作',
title: '操作', align: 'center',
align: 'center', key: 'actions',
key: 'actions', render: (row) => {
render: (row) => { const rowData = row as unknown as CommonList.UserList;
const rowData = row as unknown as CommonList.UserList; return (
return ( <NSpace justify={'center'}>
<NSpace justify={'center'}> <NButton
<NButton size={'small'} onClick={() => handleEditTable(rowData)}> size={'small'}
编辑 onClick={() => handleEditTable(rowData)}>
</NButton> 编辑
<NPopconfirm onPositiveClick={() => sendMail(rowData.id)}> </NButton>
{{ <NPopconfirm onPositiveClick={() => sendMail(rowData.id)}>
default: () => '确认删除', {{
trigger: () => <NButton size={'small'}>删除</NButton>, default: () => '确认删除',
}} trigger: () => <NButton size={'small'}>删除</NButton>,
</NPopconfirm> }}
</NSpace> </NPopconfirm>
); </NSpace>
);
},
}, },
}, ];
]; const sendMail = (id: number) => {
const sendMail = (id: number) => { window.$message.success(`用户id:${id}`);
window.$message.success(`用户id:${id}`); };
}; function handleUpdateDisabled(disabled: boolean, id: number) {
function handleUpdateDisabled(disabled: boolean, id: number) { const index = listData.value.findIndex((item) => item.id === id);
const index = listData.value.findIndex((item) => item.id === id); if (index > -1) {
if (index > -1) { listData.value[index].disabled = disabled;
listData.value[index].disabled = disabled; }
} }
}
const listData = ref<CommonList.UserList[]>([]); const listData = ref<CommonList.UserList[]>([]);
onMounted(() => { onMounted(() => {
getUserList(); getUserList();
});
async function getUserList() {
startLoading();
await fetchUserList().then((res: any) => {
listData.value = res.data;
endLoading();
}); });
} async function getUserList() {
function changePage(page: number, size: number) { startLoading();
window.$message.success(`分页器:${page},${size}`); await fetchUserList().then((res: any) => {
} listData.value = res.data;
function handleResetSearch() { endLoading();
model.value = { ...initialModel }; });
} }
function changePage(page: number, size: number) {
window.$message.success(`分页器:${page},${size}`);
}
function handleResetSearch() {
model.value = { ...initialModel };
}
type ModalType = 'add' | 'edit'; type ModalType = 'add' | 'edit';
const modalType = ref<ModalType>('add'); const modalType = ref<ModalType>('add');
function setModalType(type: ModalType) { function setModalType(type: ModalType) {
modalType.value = type; modalType.value = type;
} }
const editData = ref<CommonList.UserList | null>(null); const editData = ref<CommonList.UserList | null>(null);
function setEditData(data: CommonList.UserList | null) { function setEditData(data: CommonList.UserList | null) {
editData.value = data; editData.value = data;
} }
function handleEditTable(rowData: CommonList.UserList) { function handleEditTable(rowData: CommonList.UserList) {
setEditData(rowData); setEditData(rowData);
setModalType('edit'); setModalType('edit');
openModal(); openModal();
} }
function handleAddTable() { function handleAddTable() {
openModal(); openModal();
setModalType('add'); setModalType('add');
} }
</script> </script>
<style scoped></style> <style scoped></style>

View File

@ -25,6 +25,14 @@
> >
use online post use online post
</n-button> </n-button>
<n-button
strong
secondary
type="success"
@click="formPost"
>
use online formPost
</n-button>
<n-button <n-button
strong strong
secondary secondary
@ -41,30 +49,6 @@
> >
use online put use online put
</n-button> </n-button>
<n-button
strong
secondary
type="success"
@click="patch"
>
use online patch
</n-button>
<n-button
strong
secondary
type="success"
@click="mock"
>
to use mock
</n-button>
<n-button
strong
secondary
type="success"
@click="patch"
>
use online patch
</n-button>
<n-button <n-button
strong strong
secondary secondary
@ -113,10 +97,10 @@
<script setup lang="ts"> <script setup lang="ts">
import { import {
fetachGet, fetachGet,
fetachPost, fetachPost,
fetachFormPost,
fetachDelete, fetachDelete,
fetachPut, fetachPut,
fetachPatch,
fetchMock, fetchMock,
testFailedRequest, testFailedRequest,
testFailedResponse, testFailedResponse,
@ -130,7 +114,7 @@ const pinter = () => {
msg.value = import.meta.env; msg.value = import.meta.env;
}; };
const get = () => { const get = () => {
fetachGet().then((res) => { fetachGet({a:112211}).then((res) => {
msg.value = res; msg.value = res;
}); });
}; };
@ -152,6 +136,15 @@ const post = () => {
msg.value = res; msg.value = res;
}); });
}; };
function formPost() {
const params = {
data: '2022-2-2',
};
fetachFormPost(params).then((res) => {
msg.value = res;
});
}
const put = () => { const put = () => {
const params = { const params = {
data: '2022-2-2', data: '2022-2-2',
@ -160,14 +153,6 @@ const put = () => {
msg.value = res; msg.value = res;
}); });
}; };
const patch = () => {
const params = {
data: '2022-2-2',
};
fetachPatch(params).then((res) => {
msg.value = res;
});
};
// //
const failedRequest = () => { const failedRequest = () => {