ant design pro 6.0列表渲实践demo

ant design pro 用户列表渲实践

用户页面:

src\pages\Admin\User\index.tsx

import { PlusOutlined } from '@ant-design/icons';
import type { ActionType, ProColumns, ProDescriptionsItemProps } from '@ant-design/pro-components';
import {
    PageContainer,
    ProDescriptions,
    ProTable,
} from '@ant-design/pro-components';
import { Button, Drawer, Modal, message,Spin  } from 'antd';

import React, { useEffect, useRef, useState,useCallback } from 'react';

import CreateModal from "./components/CreateModal";
import UpdateModal from "./components/UpdateModal";
import ReadModal from "./components/ReadModal";

import {
    addUserByUsingPOST,
    deleteUserByUsingPOST,
    updateUserByUsingPOST,
    listUserVOByPageUsingGET,
} from "@/services/user/userController";
import { useModel } from "@umijs/max";

import { BASEENTITYCOLUMN, UPDATEUSERCOLUMN, USERPAGESIZE,USERENTITYCOLUMN } from "@/constant/user";


/**
 * 用户管理
 * @returns
 */
const UserManager: React.FC = () => {

    /**
  * @en-US Pop-up window of new window
  * @zh-CN 新建窗口的弹窗
  *  */
    const [createModalOpen, handleModalOpen] = useState<boolean>(false);

    const [updateModalOpen, handleUpdateModalOpen] = useState<boolean>(false);
    const [showDetail, setShowDetail] = useState<boolean>(false);
    const actionRef = useRef<ActionType>();
    const [currentRow, setCurrentRow] = useState<UserEntityAPI.UserVO>();

    const [readModalOpen, handleReadModalOpen] = useState<boolean>(false);

    //分页
    const [formValue, setFormValue] = useState<UserEntityAPI.UserVO[]>([]);
    const [total, setTotal] = useState<number>(0)
    const [isLoading, setIsLoading] = useState(true);

    //获取用户信息
    const getFormInfo = async (pageNum = 1, pageSize = USERPAGESIZE) => {
        const res = await listUserVOByPageUsingGET({
            pageNum: pageNum,
            pageSize: pageSize,
            // userId: "userId",
            // userType: 'sys_user',
        })
        setTotal(res?.total || 0)
        // console.log(res?.data);
        setFormValue(res?.data || []);
        setIsLoading(false);
    }

    //点击详情
    const readClickStatus = useCallback((record:UserEntityAPI.UserVO) => {
        handleReadModalOpen(true);
        setCurrentRow(record);
      }, [handleReadModalOpen, setCurrentRow]);

      //点击修改
      const updateClickStatus = useCallback((record:UserEntityAPI.UserVO) => {
        handleUpdateModalOpen(true);
        setCurrentRow(record);
      }, [handleUpdateModalOpen, setCurrentRow]);


      //点击添加
    const handleAdd = async (fields: UserEntityAPI.userAddRquestParams) => {
        const hide = message.loading('正在添加');
        try {
            await addUserByUsingPOST({
                ...fields,
                userType: 'sys_user',
            });
            hide();
            await getFormInfo();
            actionRef?.current?.reload()
            message.success('添加成功');
            if (createModalOpen) handleModalOpen(false);
            return true;
        } catch (error: any) {
            hide();
            message.error("添加失败", error?.message);
            return false;
        }
    };

    /**
      *  Delete node
      * @zh-CN 删除用户
      *
      * @param selectedRow
      */
    const handleRemove = async (selectedRow: UserEntityAPI.DeleteRequestParams) => {
        const hide = message.loading('正在删除');
        if (!selectedRow) return true;
        try {
            await deleteUserByUsingPOST({
                userId: selectedRow.userId,
            });
            hide();
            await getFormInfo();
            actionRef?.current?.reload()
            message.success('删除成功');
            return true;
        } catch (error: any) {
            hide();
            message.error("删除失败", error?.message);
            return false;
        }
    };

    //初始化
    useEffect(() => {
        // console.log("useEffect");
        getFormInfo();
        // console.log("构造函数执行完,formValue状态变化后:", formValue)
    }, []);

    //如果网络请求数据还没拿到,就先 加载中  转圈
    if (isLoading) {
        return <Spin />
    }

    /**
     * @en-US Update node
     * @zh-CN 更新用户
     *
     * @param fields
     */
    const handleUpdate = async (fields: UserEntityAPI.UserUpdateRequestParams) => {
        if (!currentRow) {
            return;
        }
        const hide = message.loading('更新中');
        try {
            await updateUserByUsingPOST({
                userId: currentRow.userId,
                ...fields,
            });
            hide();
            message.success('更新成功');
            handleUpdateModalOpen(false);
            await getFormInfo();
            actionRef?.current?.reload()
            return true;
        } catch (error) {
            hide();
            message.error('更新失败');
            return false;
        }
    };

    const columns: ProColumns<UserEntityAPI.UserVO>[] = [
        ...BASEENTITYCOLUMN,
        {
            title: '操作',
            dataIndex: 'option',
            valueType: 'option',
            render: (_, record) => [
                <Button
                    color={"blue"}
                    type={"link"}
                    key="detail"
                    onClick={() => {
                        // handleModalOpen(true);
                        // setCurrentRow(record);
                        readClickStatus(record);
                        // history.push(`/receive/record?childrenId=${record?.id}`)
                    }}
                >
                    详情
                </Button>,
                <a
                    key="modify"
                    onClick={() => {
                        // handleUpdateModalOpen(true);
                        // setCurrentRow(record);
                        updateClickStatus(record);
                    }}
                >
                    修改
                </a>,
                <Button
                    type={"text"}
                    danger={true}
                    key="config"
                    onClick={() => {
                        //提示是否删除
                        Modal.confirm({
                            title: '删除',
                            content: '确定删除吗?',
                            onOk: () => {
                                handleRemove(record)
                            }
                        })
                    }}
                >
                    删除
                </Button>,
            ],
        },
    ];
    //UPDATEUSERCOLUMN
    const updateColumn: ProColumns<UserEntityAPI.UserUpdateRequestParams>[] = [
        ...UPDATEUSERCOLUMN,
    ];

    return (
        <PageContainer>
            <ProTable<UserEntityAPI.UserVO, UserEntityAPI.PageParams>
                key="main"
                pagination={{
                    total,
                    pageSize: USERPAGESIZE,
                    onChange: async (pageNum, pageSize) => {
                        await getFormInfo(pageNum, pageSize);
                    },
                }}
                headerTitle={'用户信息'}
                actionRef={actionRef}
                rowKey="key"
                search={{
                    labelWidth: 120,
                }}
                toolBarRender={() => [
                    <Button
                        type="primary"
                        key="primary"
                        onClick={() => {
                            handleModalOpen(true);
                        }}
                    >
                        <PlusOutlined /> 新建用户
                    </Button>,
                ]}
                request={async () => ({
                    data: formValue || {},
                })}
                columns={columns}
                rowSelection={{
                    onChange: (e) => {
                        console.log("rowSelection")
                        // setSelectedRows(selectedRowKeys);
                        console.log(e);
                    },
                }}
            />
            <UpdateModal
                columns={updateColumn}
                onSubmit={async (values: UserEntityAPI.UserUpdateRequestParams) => { handleUpdate(values) }}
                onCancel={() => {
                    handleUpdateModalOpen(false);
                    if (!showDetail) {
                        setCurrentRow(undefined);
                    }
                }}
                visible={updateModalOpen}
                values={currentRow || {}}
            />

            <Drawer
                key="drawer"
                width={600}
                open={showDetail}
                onClose={() => {
                    setCurrentRow(undefined);
                    setShowDetail(false);
                }}
                closable={false}
            >
                {currentRow?.userName && (
                    <ProDescriptions<UserEntityAPI.UserVO>
                        column={2}
                        title={currentRow?.userName}
                        request={async () => ({
                            data: currentRow || {},
                        })}
                        params={{
                            id: currentRow?.userName,
                        }}
                        columns={columns as ProDescriptionsItemProps<UserEntityAPI.UserVO>[]}
                    />
                )}
            </Drawer>
            <CreateModal columns={updateColumn} onCancel={() => { handleModalOpen(false) }}
                onSubmit={async (values: UserEntityAPI.UserUpdateRequestParams) => {
                    await handleAdd(values)
                }} visible={createModalOpen} file={false} />

            <Drawer width={640}
                placement="right"
                closable={false}
                onClose={ ()=> {
                    setCurrentRow(undefined);
                    handleReadModalOpen(false)}
                }
                open={readModalOpen}>
                    <ReadModal EntityItem={currentRow} EntityColumns={USERENTITYCOLUMN}/>

            </Drawer>

        </PageContainer>
    );
}

export default UserManager;

组件

src\pages\Admin\User\components\ReadModal.tsx

import React, { useState } from 'react';
import type { DescriptionsProps } from 'antd';
import {ProColumns} from "@ant-design/pro-components";
import {ProDescriptions} from "@ant-design/pro-descriptions";
import { Avatar, Col, Divider, Drawer, List, Row,Descriptions} from 'antd';
import { USERENTITYCOLUMN } from '@/constant/user';

export type Props = {
    EntityItem: UserEntityAPI.UserVO;
    EntityColumns: ProColumns<UserEntityAPI.UserVO>[];
    visible: boolean;
  };


/**
 * 用户详情组件
 * @param props  用户详情组件
 * @returns     
 */
const ReadModal: React.FC<Props> = (props) => {
    const {EntityItem,EntityColumns} = props;
    //描述组件:用于展示用户信息
    let items: DescriptionsProps['items'] = [];
//     if(userEntityItem){
//     items = [
//         {
//           key: '1',
//           label: 'UserName',
//           children: userEntityItem.userName,
//         },
//         {
//           key: '2',
//           label: '手机号码',
//           children:  userEntityItem.photoNumber,
//         },
//         {
//             key: '2',
//             label: '性别',
//             children:  userEntityItem.sex,
//           },
//           {
//             key: '2',
//             label: 'nickName',
//             children:  userEntityItem.nickName,
//           },
//     ];
// }

//描述列表组件
  return (
    <>
      <ProDescriptions dataSource={EntityItem} columns={EntityColumns}/>
    </>
  );
};

export default ReadModal;

src\pages\Admin\User\components\CreateModal.tsx

import '@umijs/max';
import React from 'react';
import {Form,Modal} from "antd";
import {ProColumns, ProTable} from "@ant-design/pro-table/lib";
import MyUploadFile from "@/components/UploadFile";
export type Props = {
  columns: ProColumns<UserEntityAPI.UserUpdateRequestParams>[];
  onCancel: () => void;
  onSubmit: (values: UserEntityAPI.UserUpdateRequestParams) => Promise<void>;
  visible: boolean;
  file?: boolean;
};
const CreateModal: React.FC<Props> = (props) => {
  const {columns, visible, onSubmit, onCancel, file} = props;

  return (
    <Modal open={visible} onCancel={()=> onCancel?.()} footer={null}>
      {/* <div style={{ marginLeft: "20px", marginRight: "10px"}}>
        {file ? (
          <Form requiredMark={true}>
            上传附件:&nbsp;&nbsp;&nbsp;&nbsp;<MyUploadFile />
          </Form>
        ) : null}
      </div> */}
      <br/>
      <ProTable
        type={"form"}
        columns={columns}
        onSubmit={async (value: UserEntityAPI.UserUpdateRequestParams) => {
          onSubmit?.(value);
        }}
      />
    </Modal>
  );
};
export default CreateModal;

src\pages\Admin\User\components\UpdateModal.tsx

import '@umijs/max';
import React, {useEffect, useRef} from 'react';
import {Modal} from "antd";
import {ProColumns, ProTable} from "@ant-design/pro-table/lib";
import {ProFormInstance} from "@ant-design/pro-form";

export type Props = {
  values: UserEntityAPI.UserUpdateRequestParams;
  columns: ProColumns<UserEntityAPI.UserUpdateRequestParams>[];
  onCancel: () => void;
  onSubmit: (values: UserEntityAPI.UserUpdateRequestParams) => Promise<void>;
  visible: boolean;
};
const UpdateModal: React.FC<Props> = (props) => {
  const {columns, visible, onSubmit, onCancel,values} = props;
  const formRef = useRef<ProFormInstance>();
  useEffect(()=>{
    formRef.current?.setFieldsValue(values)
  })
  return (
    <Modal open={visible} onCancel={()=> onCancel?.()} footer={null}>
      <ProTable
        type={"form"}
        columns={columns}
        formRef={formRef}
        onSubmit={async (value: UserEntityAPI.UserUpdateRequestParams)=>{
          onSubmit?.(value)
        }}
      />
    </Modal>
  );
};
export default UpdateModal;

常量

src\constant\user.tsx


import { ProColumns } from "@ant-design/pro-components";
import type { DescriptionsProps } from 'antd';
export const SYSTEM_LOGO = "https://avatars.githubusercontent.com/u/103118339?v=4";
export const PAGESIZE = 3;
export const USERPAGESIZE = 6;
export const NEWSAVATAR = "https://hzh-1318734603.cos.ap-shanghai.myqcloud.com/%E6%96%B0%E9%97%BB.jpg";

export const BASEENTITYCOLUMN: ProColumns<UserEntityAPI.UserVO>[] = [
  {
    title: 'id',
    dataIndex: 'userId',
    valueType: 'index',
  },
  {
    title: '用户名',
    dataIndex: 'userName',
    valueType: 'text',
    formItemProps: {
      rules: [{
        required: true,
        message: "请输入用户名",
      }]
    }
  },
  // {
  //   title: '密码(8位以上不包含特殊字符)',
  //   hideInTable:true,
  //   hideInSearch:true,
  //   dataIndex: 'password',
  //   valueType: 'text',
  //   formItemProps: {
  //     rules: [{
  //       required: true,
  //       message: "请输入密码",
  //     },{
  //       type: "string",
  //       min: 8,
  //       message: "密码小于8位",
  //     },
  //       {
  //         pattern: /^[a-zA-Z0-9]+$/,
  //         message: "不允许包含特殊字符",
  //       }]
  //   }
  // },
  {
    title: '昵称',
    dataIndex: 'nickName',
    valueType: 'text',
    formItemProps: {
      rules: [{
        required: true,
        message: "请输入姓名",
      }]
    }
  },
  {
    title: '用户类型',
    dataIndex: 'userType',
    valueType: 'text',
    valueEnum: {
      'sys_user': {
        text: '系统用户',
        status: 'Success',
      },
      'general_user': {
        text: '普通用户',
        status: 'Success',
      },
    },
  },
  {
    title: '性别',
    dataIndex: 'sex',
    hideInTable: false,
    valueType: 'text',
    valueEnum: {
      '0': {
        text: '男',
        status: 'Success',
      },
      '1': {
        text: '女',
        status: 'Success',
      },
    },
  },
  {
    title: '角色',
    dataIndex: 'userRole',
    hideInForm: true,
    valueEnum: {
      'admin': {
        text: '管理员',
        status: 'Success',
      },
      'children': {
        text: '用户',
        status: 'Success',
      },
    },
  },
  {
    title: '状态',
    dataIndex: 'status',
    hideInTable: true,
    valueType: 'text',
    valueEnum: {
      '0': {
        text: '正常',
        status: 'Success',
      },
      '1': {
        text: '禁用',
        status: 'Success',
      },
    },
  },
  {
    title: '手机号码',
    dataIndex: 'phoneNumber',
    hideInTable: true,
    valueType: 'text',
  },
  {
    title: '最后登录ip',
    dataIndex: 'loginIp',
    hideInTable: true,
    valueType: 'text',
  },
  {
    title: '最后登录时间',
    dataIndex: 'loginTime',
    hideInTable: true,
    valueType: 'text',
    sorter: (a, b) => a.loginTime - b.loginTime,
  },
  {
    title: '创建时间',
    dataIndex: 'createTime',
    valueType: 'dateTime',
    hideInForm: true,
    sorter: (a, b) => a.createTime - b.createTime,
  },
  {
    title: '备注',
    dataIndex: 'remark',
    hideInTable: true,
    valueType: 'textarea',
  },
]


export const UPDATEUSERCOLUMN: ProColumns<UserEntityAPI.UserUpdateRequestParams>[] = [
  {
    title: 'id',
    dataIndex: 'userId',
    valueType: 'index',
  },
  {
    title: '用户名',
    dataIndex: 'userName',
    valueType: 'text',
    formItemProps: {
      rules: [{
        required: true,
        message: "请输入用户名",
      }]
    }
  },
  {
    title: '昵称',
    dataIndex: 'nickName',
    valueType: 'text',
    formItemProps: {
      rules: [{
        required: true,
        message: "请输入姓名",
      }]
    }
  },
  {
    title: '性别',
    dataIndex: 'sex',
    hideInTable: false,
    valueType: 'text',
    valueEnum: {
      '0': {
        text: '男',
        status: 'Success',
      },
      '1': {
        text: '女',
        status: 'Success',
      },
    },
  },
  {
    title: '角色',
    dataIndex: 'admin',
    hideInForm: true,
    valueEnum: {
      'true': {
        text: '超级管理员',
        status: 'Success',
      },
      'false': {
        text: '用户',
        status: 'Success',
      },
    },
  },
  {
    title: '手机号码',
    dataIndex: 'phoneNumber',
    hideInTable: true,
    valueType: 'text',
  },
  {
    title: '邮箱',
    dataIndex: 'email',
    hideInTable: true,
    valueType: 'text',
  },
  {
    title: '状态',
    dataIndex: 'status',
    hideInTable: true,
    valueType: 'text',
    valueEnum: {
      '0': {
        text: '正常',
        status: 'Success',
      },
      '1': {
        text: '禁用',
        status: 'Success',
      },
    },
  },
  {
    title: '备注',
    dataIndex: 'remark',
    hideInTable: true,
    valueType: 'textarea',
  },
]

/**
 * title: '文本',
          key: 'text',
          dataIndex: 'id',
          ellipsis: true,
          copyable: true,
 */
export const USERENTITYCOLUMN: ProColumns<UserEntityAPI.UserVO>[] = [
  {
    title: '用户id',
    key: "text",
    dataIndex: 'userId',
    ellipsis: true,
    copyable: true,
  },
  {
    title: '用户名',
    dataIndex: 'userName',
    valueType: 'text',
  },
  {
    title: '昵称',
    dataIndex: 'nickName',
    valueType: 'text',
  },
  {
    title: '性别',
    dataIndex: 'sex',
    hideInTable: false,
    valueType: 'text',
    valueEnum: {
      '0': {
        text: '男',
        status: 'Success',
      },
      '1': {
        text: '女',
        status: 'Success',
      },
    },
  },
  {
    title: '角色',
    key: 'userRole',
    dataIndex: 'admin',
    valueType: 'select',
    valueEnum: {
      'true': {
        text: '管理员',
        status: 'Success',
      },
      'children': {
        text: '用户',
        status: 'Success',
      },
    },
  },
  {
    title: '手机号码',
    dataIndex: 'phoneNumber',
    hideInTable: false,
    valueType: 'text',
  },
  {
    title: '邮箱',
    dataIndex: 'email',
    hideInTable: false,
    valueType: 'text',
  },
  {
    title: '状态',
    dataIndex: 'status',
    hideInTable: false,
    valueType: 'text',
    valueEnum: {
      '0': {
        text: '正常',
        status: 'Success',
      },
      '1': {
        text: '禁用',
        status: 'Success',
      },
    },
  },
  {
    title: '创建时间',
    dataIndex: 'createTime',
    hideInTable: false,
    valueType: 'date',
    fieldProps: {
      format: 'YYYY.MM.DD',
    },
  },
  {
    title: '创建人',
    dataIndex: 'createBy',
    hideInTable: false,
    valueType: 'text',
  },
  {
    title: '修改时间',
    dataIndex: 'updateTime',
    hideInTable: false,
    valueType: 'text',
  },
  {
    title: '修改人',
    dataIndex: 'updateBy',
    hideInTable: false,
    valueType: 'text',
  },
  {
    title: '最后登录ip',
    dataIndex: 'loginIp',
    hideInTable: false,
    valueType: 'text',
  },
  {
    title: '最后登录时间',
    dataIndex: 'loginTime',
    hideInTable: false,
    valueType: 'date',
    fieldProps: {
      format: 'YYYY.MM.DD',
    },
  },
  {
    title: '备注',
    dataIndex: 'remark',
    hideInTable: false,
    valueType: 'textarea',
  },
]

API接口

用户接口
src\services\user\userController.ts

import { request } from '@umijs/max';


/** listUserVOByPage POST /api/user/list */

export async function listUserVOByPageUsingGET(
  params: UserEntityAPI.BaseUserRequestPageParams,
  options?: { [key: string]: any },
): Promise<UserEntityAPI.BaseResponsePageUserVO> {
  return request<UserEntityAPI.BaseResponsePageUserVO>('/api/user/list', {
    method: 'GET',
    headers: {
      'Content-Type': 'application/json',
    },
    params: params,
    ...(options || {}),
  });
}

/** addUser POST /api/user/add */
export async function addUserByUsingPOST(
  body: UserEntityAPI.userAddRquestParams, 
  options?: { [key: string]: any }) {
  return request<UserEntityAPI.BaseResponse>('/api/user/add', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json',
    },
    data: body,
    ...(options || {}),
  });
}

/** deleteUser POST /api/user/delete */
export async function deleteUserByUsingPOST(
  body: UserEntityAPI.DeleteRequestParams,
  options?: { [key: string]: any },
) {
  return request<UserEntityAPI.BaseResponse>('/api/user/del', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json',
    },
    data: body,
    ...(options || {}),
  });
}

/** updateUser POST /api/user/update */
export async function updateUserByUsingPOST(
  body: UserEntityAPI.UserUpdateRequestParams,
  options?: { [key: string]: any },
) {
  return request<UserEntityAPI.BaseResponse>('/api/user/update', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json',
    },
    data: body,
    ...(options || {}),
  });
}

/** updateUser POST /api/user/update */
export async function updateUserPasswordByUsingPOST(
  body: UserEntityAPI.UpdatePasswordRequestParams,
  options?: { [key: string]: any },
) {
  return request<UserEntityAPI.BaseResponse>('/api/profile/updatePwd', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json',
    },
    data: body,
    ...(options || {}),
  });
}

export async function updateProfileByUsingPOST(
  body: UserEntityAPI.UserUpdateRequestParams,
  options?: { [key: string]: any },
) {
  return request<UserEntityAPI.BaseResponse>('/api/profile/update', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json',
    },
    data: body,
    ...(options || {}),
  });
}



类型
src\services\user\typings.d.ts

/**
 * @description 用户管理
 */
declare namespace UserEntityAPI {

    /**
     * 基本请求响应参数
     */
    type BaseResponse = {
        code?: number;
        data?: any;
        msg?: string;
    };


    /**
     * 用户分页请求参数
     * @name BaseUserRequestPageParams
     * @description 用户分页请求参数
     * @typedef BaseUserRequestPageParams
     * @property {Integer} id - 用户ID
     * @property {string} userId - 用户ID
     */
    type BaseUserRequestPageParams = {
        pageSize?: number;
        pageNum?: number;
        orderByColumn?: string;
        isAsc?: string;

        id?: number;
        userId?: string;
        userName?: string;
        userType?: string;
        nickName?: string;
        phoneNumber?: string;
        email?: string;
    }


    /**
      * userList
      * @name userList
      * @description 获取用户列表
      * @request GET:/api/user/list
      * @response `200` `userList`
      * @throws 400
      * @throws 500
      * @throws default
      */
    export type BaseResponsePageUserVO = {
        data?: UserVO[];
        total?: number;
        code?: number;
        msg?: string;
    }

    /**
      * 分页查询参数
      * @name PageParams
      * @description 分页查询参数
      * @typedef PageParams
      * @property {Integer} pageSize - 分页大小
      * @property {Integer} pageNum - 当前页数
      * @property {string} orderByColumn - 排序列
      * @property {string} isAsc - 排序的方向desc或者asc
      */
    type PageParams = {
        pageSize?: Integer;
        pageNum?: Integer;
        // orderByColumn?: string;
        // isAsc?: string;
    };

    /**
     * 查询用户个人信息
     * @name userInfo
     * @description 查询用户个人信息
     */
    type UserVO = {
        avatar?: string;
        createBy?: string;
        createTime?: Date;
        delFlag?: string;
        email?: string;
        loginIp?: string;
        loginTime?: Date;
        nickName?: string;
        phoneNumber?: string;
        remark?: string;
        sex?: string;
        status?: string;
        updateBy?: string;
        updateTime?: string;
        userId?: number;
        userName?: string;
        userType?: string;

        roles: any;
        roleIds: string[];
        roleId: string;
        admin: boolean;
    };

    /**
      * 用户添加参数
      * @name userAddParams
      * @description 用户添加参数
      * @typedef userAddParams
      * @property {Integer} userId - 用户ID
      * @property {string} userName - 用户名
      * @property {string} userType - 用户类型
      * @property {string} nickName - 昵称
      * @property {string} phoneNumber - 手机号
      * @property {string} email - 邮箱
      * @property {string} avatar - 头像
      * @property {string} createBy - 创建者
      * @property {Date} createTime - 创建时间
      */
    export type userAddRquestParams = {
        userId?: number;
        userName?: string;
        userType?: string;
        nickName?: string;
        phoneNumber?: string;
        email?: string;
        avatar?: string;
        // createBy?: string;
        // createTime?: string;
        delFlag?: string;
        // loginIp?: string;
        // loginTime?: Date;
        remark?: string;
        sex?: string;
        status?: string;
        // updateBy?: string;
        // updateTime?: string;
    }

    /**
     * 删除用户请求参数
     * @name DeleteRequest
     * @description 删除用户请求参数
     * @typedef DeleteRequest
     * @property {Integer} id - 用户ID
     */
    type DeleteRequestParams = {
        userId?: number;
    };
    // type DeleteRequestParams = {
    //   userIds?: number[];
    // };

    /**
     * 更新用户请求参数
     * @name UserUpdateRequestParams
     * @description 更新用户请求参数
     */
    type UserUpdateRequestParams = {
        userId?: number;
        userName?: string;
        userType?: string;
        nickName?: string;
        phoneNumber?: string;
        email?: string;
        avatar?: string;
        // createBy?: string;
        // createTime?: Date;
        delFlag?: string;
        // loginIp?: string;
        // loginTime?: Date;
        remark?: string;
        sex?: string;
      };

     /**
      * 修改密码请求参数
      * @name UpdatePasswordRequestParams
      * @description 修改密码请求参数
      * @typedef UpdatePasswordRequestParams
      * @property {string} oldPassword - 旧密码
      * @property {string} newPassword - 新密码
      */ 
    type UpdatePasswordRequestParams = {
        oldPassword?: string;
        newPassword?: string;
        newPasswordAgain?: string;
    };

    /**
     * --------------------------------------example----------------------------------------------------
     */



}

src\services\user\index.ts

import * as userController from './userController';
export default {
  userController,
};

效果图

在这里插入图片描述

查看详情:
在这里插入图片描述

新增:
在这里插入图片描述
修改:
在这里插入图片描述

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:/a/647565.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

Pycharm2024搭建QT6开发环境

创建pyqt6虚拟环境 首先&#xff0c;创建一个qt6的虚拟环境&#xff1a; conda create --name pyqt6 python3.11.7激活环境&#xff1a; conda activate pyqt6安装pyqt6 安装pyqt6&#xff1a; pip install pyqt6创建代码目录 创建目录&#xff1a; 使用pycharm打开这个…

springboot + Vue前后端项目(第十一记)

项目实战第十一记 1.写在前面2. 文件上传和下载后端2.1 数据库编写2.2 工具类CodeGenerator生成代码2.2.1 FileController2.2.2 application.yml2.2.3 拦截器InterceptorConfig 放行 3 文件上传和下载前端3.1 File.vue页面编写3.2 路由配置3.3 Aside.vue 最终效果图总结写在最后…

分享活动规划

前两天去参加菁英学院的一些辅导&#xff0c;是关于苏州久富农业机械的发展&#xff0c;看了他们企业的故事&#xff0c;我觉得我们农机很有前景和发展空间&#xff0c;我希望重新经过一次分享活动来分享我的感触&#xff0c;希望能够再次把我学到的内容传输到其他班的同学们 请…

主干网络篇 | YOLOv8更换主干网络之MobileNeXt | 新一代移动端模型MobileNeXt来了!

前言:Hello大家好,我是小哥谈。MobileNeXt是由微软研究院提出的一种高效的卷积神经网络结构,它在保持模型轻量级的同时,能够获得较高的性能。MobileNeXt采用了一种称为Inverted Residuals with Linear Bottlenecks(IRL)的结构,通过深度可分离卷积和快捷连接来减少模型的…

洗地机十大品牌排名:2024十大值得入手的洗地机盘点

随着生活水平的提高&#xff0c;智能清洁家电已经成为日常生活中的必需品。洗地机之所以在家庭清洁中大受欢迎&#xff0c;主要是因为它的多功能特性。传统的清洁方式通常需要扫帚、拖把和吸尘器分别进行操作&#xff0c;而洗地机将这些功能集成在一个设备中&#xff0c;使清洁…

谷歌Google广告投放优势和注意事项!

谷歌Google作为全球最大的搜索引擎&#xff0c;谷歌不仅拥有庞大的用户基础&#xff0c;还提供了高度精准的广告投放平台&#xff0c;让广告主能够高效触达目标受众&#xff0c;实现品牌曝光、流量增长乃至销售转化的多重目标&#xff0c;云衔科技以专业服务助力您谷歌Google广…

【mysql】in和exists的区别,not in、not exists、left join的相互转换

【mysql】in和exists的区别&#xff0c;not in、not exists、left join的相互转换 【一】in介绍【1】in中数据量的限制【2】null值不参与in或not in&#xff0c;也就是说in and not in 并不是全量值&#xff0c;排除了null值【3】in的执行逻辑 【二】exists介绍【1】exists no…

-bash: locate: 未找到命令(解决办法)

-bash: locate: 未找到命令的解决办法 一、解决办法二、什么是locate三 、locate命令的具体用法 一、解决办法 CentOS7默认没有安装locate命令&#xff0c;安装方式如下&#xff1a; 执行以下命令进行安装&#xff1a; yum install mlocate用 updatedb 指令创建 或更新locate …

Value-Based Reinforcement Learning(2)

Temporal Difference &#xff08;TD&#xff09; Learning 上节已经提到了如果我们有DQN&#xff0c;那么agent就知道每一步动作如何做了&#xff0c;那么DQN如何训练那&#xff1f;这里面使用TD算法。 简略分析&#xff1a; 是的估计 是的估计 所以&#xff1a; Deep Re…

【论文阅读】Prompt Fuzzing for Fuzz Driver Generation

文章目录 摘要一、介绍二、设计2.1、总览2.2、指导程序生成2.3、错误程序净化2.3.1、执行过程净化2.3.2、模糊净化2.3.3、覆盖净化 2.4、覆盖引导的突变2.4.1、功率调度2.4.2、变异策略 2.5、约束Fuzzer融合2.5.1、论据约束推理2.5.1、模糊驱动融合 三、评估3.1、与Hopper和OSS…

【真实项目中收获的提升】- 使用MybatisPlus框架 save一条字段中有主键id并且和以前重复会报错吗

问题描述&#xff1a; save一条数据中有主键id并且和以前重复会报错吗&#xff1f; 实际场景&#xff1a; 复制一条数据&#xff0c;修改其中一个字段&#xff0c;想让主键自增直接插入进数据库。 解决方案&#xff1a; 会报错&#xff0c; 直接把插入对象的主键id置为空…

基于Ruoyi-Cloud-Plus重构黑马项目-学成在线

文章目录 一、系统介绍二、系统架构图三、参考教程四、演示图例机构端运营端用户端开发端 一、系统介绍 毕设&#xff1a;基于主流微服务技术栈的在线教育系统的设计与实现 前端仓库&#xff1a;https://github.com/Xiamu-ssr/Dragon-Edu-Vue3 后端仓库&#xff1a;https://g…

.lib .a .dll库互转

编译 mingw工具&#xff0c;gendef.exe转换dll为a&#xff0c;reimp转换lib为adlltool.exe --dllname python38.dll --def python38.def --output-lib libpython38.adlltool -k -d crypto.lib -l crypto.a 创作不易&#xff0c; 小小的支持一下吧&#xff01;

软件web化的趋势

引言 在信息技术飞速发展的今天&#xff0c;软件Web化已成为一个不可忽视的趋势。所谓软件Web化&#xff0c;即将传统的桌面应用软件转变为基于Web的应用程序&#xff0c;使用户能够通过浏览器进行访问和使用。传统软件通常需要在用户的计算机上进行安装和运行&#xff0c;而W…

一、机器学习概述

1.课程目的 学习机器学习算法、提高算法性能的技巧 2.算法分类 有监督学习supervised learning、无监督学习unsupervised learning (1).有监督学习 在这种学习方式中&#xff0c;算法需要一个带有标签的训练数据集&#xff0c;这些标签通常是每个样本的真实输出或类别。 在有…

C语言——小知识和小细节19

一、奇数位与偶数位互换 1、题目介绍 实现一个宏&#xff0c;将一个整数的二进制补码的奇数位与偶数位互换。输出格式依旧是十进制整数。示例&#xff1a; 2、分析 既然想要交换奇数位和偶数位上的数字&#xff0c;那么我们就要先得到奇数位和偶数位上的数字&#xff0c;那么…

零基础小白可以做抖音电商吗?小白做电商难度大吗?一篇全解!

大家好&#xff0c;我是电商花花 在直播电商的热度越来越多&#xff0c;更多普通的创业者都对抖音小店电商有了想法&#xff0c;因为很多普通 人都通过抖音小店开店卖货赚到了钱&#xff0c;让更多人对抖店电商产生了兴趣。 于是做抖音小店无货源&#xff0c;开店卖货赚钱成为…

嵌入式全栈开发学习笔记---C语言笔试复习大全25(实现学生管理系统)

目录 实现学生管理系统 第一步&#xff1a;结构体声明 第二步&#xff1a;重命名结构体 第三步&#xff1a;限定可以存储的最大学生数目 第四步&#xff1a;定义结构体指针数组和定义一个整型变量存放当前的人数 第五步&#xff1a;设计欢迎界面 第六步&#xff1a;设计…

Linux环境下TensorFlow安装教程

TensorFlow是学习深度学习时常用的Python神经网络框 下面以Mask R-CNN 的环境配置为例&#xff1a; 首先进入官网&#xff1a;www.tensorflow.org TensorFlow安装的总界面&#xff1a; 新建anaconda虚拟环境&#xff1a; conda create -n envtf2 python3.8 &#xff08;Pyth…