| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401 |
- import React, { useState, useEffect } from 'react';
- import {
- Button, Table, Space,
- Form, Input, Select, message, Modal,
- Card, Row, Col, Typography,
- Tag, DatePicker
- } from 'antd';
- import {
- useQuery,
- } from '@tanstack/react-query';
- import dayjs from 'dayjs';
- import 'dayjs/locale/zh-cn';
- import type {
- ZichanInfo, ZichanTransLog
- } from '../share/monitorTypes.ts';
- import {
- AssetTransferType,
- AssetTransferTypeNameMap, AssetTransferTypeColorMap,
- } from '../share/monitorTypes.ts';
- import { ZichanAPI, ZichanTransferAPI } from './api/index.ts';
- import { getEnumOptions } from './utils.ts';
- const { Title } = Typography;
- // 资产流转管理页面
- export const ZichanTransferPage = () => {
- const [form] = Form.useForm();
- const [formMode, setFormMode] = useState<'create' | 'edit'>('create');
- const [editingId, setEditingId] = useState<number | null>(null);
- const [modalVisible, setModalVisible] = useState(false);
- const [isLoading, setIsLoading] = useState(false);
- const [zichanOptions, setZichanOptions] = useState<{ label: string, value: number }[]>([]);
- const [searchParams, setSearchParams] = useState({
- page: 1,
- limit: 10,
- asset_id: undefined as number | undefined,
- asset_transfer: undefined as AssetTransferType | undefined
- });
-
- // 资产流转类型选项
- const transferTypeOptions = getEnumOptions(AssetTransferType, AssetTransferTypeNameMap);
-
- // 获取资产列表用于下拉选择
- useEffect(() => {
- const fetchZichanList = async () => {
- try {
- const result = await ZichanAPI.getZichanList({ limit: 100 });
- const options = result.data.map((item: ZichanInfo) => ({
- label: `${item.asset_name} (ID:${item.id})`,
- value: item.id
- }));
- setZichanOptions(options);
- } catch (error) {
- console.error('获取资产列表失败', error);
- }
- };
-
- fetchZichanList();
- }, []);
-
- // 查询资产流转记录列表
- const {
- data: transferResult = { data: [], pagination: { total: 0, current: 1, pageSize: 10 } },
- isLoading: isFetching,
- refetch
- } = useQuery({
- queryKey: ['zichan-transfer', searchParams],
- queryFn: () => ZichanTransferAPI.getTransferList(searchParams),
- });
-
- // 提取数据和分页信息
- const transferList = transferResult.data || [];
- const pagination = transferResult.pagination || { total: 0, current: 1, pageSize: 10 };
-
- // 处理表单提交
- const handleSubmit = async (values: Partial<ZichanTransLog>) => {
- try {
- setIsLoading(true);
-
- // 创建一个新的对象以避免修改原始值
- const submitData = { ...values };
-
- // 处理流转时间格式
- if (submitData.transfer_time && dayjs.isDayjs(submitData.transfer_time)) {
- // 使用字符串格式,确保后端可以正确处理
- submitData.transfer_time = (submitData.transfer_time as any).format('YYYY-MM-DD HH:mm:ss');
- }
-
- if (formMode === 'create') {
- await ZichanTransferAPI.createTransfer(submitData);
- message.success('资产流转记录创建成功');
- } else {
- if (editingId) {
- await ZichanTransferAPI.updateTransfer(editingId, submitData);
- message.success('资产流转记录更新成功');
- }
- }
- setModalVisible(false);
- refetch();
- } catch (error: any) {
- message.error(error.response?.data?.error || '操作失败');
- } finally {
- setIsLoading(false);
- }
- };
-
- // 处理编辑
- const handleEdit = async (id: number) => {
- try {
- setIsLoading(true);
- const data = await ZichanTransferAPI.getTransfer(id);
-
- // 处理日期格式
- if (data.transfer_time) {
- // 使用dayjs解析时间,确保传入字符串
- data.transfer_time = dayjs(String(data.transfer_time));
- }
-
- form.setFieldsValue(data);
- setEditingId(id);
- setFormMode('edit');
- setModalVisible(true);
- } catch (error: any) {
- message.error(error.response?.data?.error || '获取资产流转记录详情失败');
- } finally {
- setIsLoading(false);
- }
- };
-
- // 处理删除
- const handleDelete = async (id: number) => {
- try {
- await ZichanTransferAPI.deleteTransfer(id);
- message.success('资产流转记录删除成功');
- refetch();
- } catch (error: any) {
- message.error(error.response?.data?.error || '删除资产流转记录失败');
- }
- };
-
- // 处理搜索
- const handleSearch = (values: any) => {
- setSearchParams({
- ...searchParams,
- page: 1, // 重置为第一页
- asset_id: values.asset_id,
- asset_transfer: values.asset_transfer
- });
- };
-
- // 处理页码变化
- const handlePageChange = (page: number, pageSize?: number) => {
- setSearchParams({
- ...searchParams,
- page,
- limit: pageSize || 10
- });
- };
-
- // 处理新增
- const handleAdd = () => {
- form.resetFields();
- form.setFieldsValue({
- transfer_time: dayjs() // 默认设置为当前时间
- });
- setFormMode('create');
- setEditingId(null);
- setModalVisible(true);
- };
-
- // 表格列定义
- const columns = [
- {
- title: 'ID',
- dataIndex: 'id',
- key: 'id',
- width: 80
- },
- {
- title: '资产',
- dataIndex: 'asset_id',
- key: 'asset_id',
- render: (asset_id: number, record: ZichanTransLog) => {
- return record.asset_info ? record.asset_info.asset_name : `资产ID: ${asset_id}`;
- }
- },
- {
- title: '流转类型',
- dataIndex: 'asset_transfer',
- key: 'asset_transfer',
- render: (type: AssetTransferType) => {
- return <Tag color={AssetTransferTypeColorMap[type] || 'default'}>
- {AssetTransferTypeNameMap[type] || '未知类型'}
- </Tag>;
- }
- },
- {
- title: '人员',
- dataIndex: 'person',
- key: 'person'
- },
- {
- title: '部门',
- dataIndex: 'department',
- key: 'department'
- },
- {
- title: '联系电话',
- dataIndex: 'phone',
- key: 'phone'
- },
- {
- title: '流转事由',
- dataIndex: 'transfer_reason',
- key: 'transfer_reason',
- ellipsis: true
- },
- {
- title: '流转时间',
- dataIndex: 'transfer_time',
- key: 'transfer_time',
- render: (date: string) => date ? dayjs(date).format('YYYY-MM-DD HH:mm:ss') : '-'
- },
- {
- title: '操作',
- key: 'action',
- width: 200,
- render: (_: any, record: ZichanTransLog) => (
- <Space>
- <Button size="small" type="primary" onClick={() => handleEdit(record.id)}>编辑</Button>
- <Button size="small" danger onClick={() =>
- Modal.confirm({
- title: '确认删除',
- content: `确定要删除此资产流转记录吗?`,
- onOk: () => handleDelete(record.id)
- })
- }>删除</Button>
- </Space>
- )
- }
- ];
-
- return (
- <div>
- <Title level={2}>资产流转管理</Title>
- <Card>
- <Form layout="inline" onFinish={handleSearch} style={{ marginBottom: 16 }}>
- <Form.Item name="asset_id" label="选择资产">
- <Select
- placeholder="请选择资产"
- style={{ width: 240 }}
- allowClear
- options={zichanOptions}
- showSearch
- filterOption={(input, option) =>
- (String(option?.label ?? '')).toLowerCase().includes(input.toLowerCase())
- }
- />
- </Form.Item>
- <Form.Item name="asset_transfer" label="流转类型">
- <Select
- placeholder="请选择流转类型"
- style={{ width: 140 }}
- allowClear
- options={transferTypeOptions}
- />
- </Form.Item>
- <Form.Item>
- <Button type="primary" htmlType="submit">查询</Button>
- </Form.Item>
- <Form.Item>
- <Button type="primary" onClick={handleAdd}>新增流转记录</Button>
- </Form.Item>
- </Form>
-
- <Table
- columns={columns}
- dataSource={transferList}
- rowKey="id"
- loading={isFetching}
- pagination={{
- current: pagination.current,
- pageSize: pagination.pageSize,
- total: pagination.total,
- onChange: handlePageChange,
- showSizeChanger: true,
- showTotal: (total) => `共 ${total} 条记录`
- }}
- />
-
- <Modal
- title={formMode === 'create' ? '新增资产流转记录' : '编辑资产流转记录'}
- open={modalVisible}
- onCancel={() => setModalVisible(false)}
- footer={null}
- width={720}
- >
- <Form
- form={form}
- layout="vertical"
- onFinish={handleSubmit}
- >
- <Row gutter={16}>
- <Col span={12}>
- <Form.Item
- name="asset_id"
- label="选择资产"
- rules={[{ required: true, message: '请选择资产' }]}
- >
- <Select
- placeholder="请选择资产"
- options={zichanOptions}
- showSearch
- filterOption={(input, option) =>
- (String(option?.label ?? '')).toLowerCase().includes(input.toLowerCase())
- }
- />
- </Form.Item>
- </Col>
- <Col span={12}>
- <Form.Item
- name="asset_transfer"
- label="流转类型"
- rules={[{ required: true, message: '请选择流转类型' }]}
- >
- <Select
- placeholder="请选择流转类型"
- options={transferTypeOptions}
- />
- </Form.Item>
- </Col>
- </Row>
-
- <Row gutter={16}>
- <Col span={12}>
- <Form.Item
- name="person"
- label="人员"
- rules={[{ required: true, message: '请输入人员姓名' }]}
- >
- <Input placeholder="请输入人员姓名" />
- </Form.Item>
- </Col>
- <Col span={12}>
- <Form.Item
- name="department"
- label="部门"
- >
- <Input placeholder="请输入部门" />
- </Form.Item>
- </Col>
- </Row>
-
- <Row gutter={16}>
- <Col span={12}>
- <Form.Item
- name="phone"
- label="联系电话"
- >
- <Input placeholder="请输入联系电话" />
- </Form.Item>
- </Col>
- <Col span={12}>
- <Form.Item
- name="transfer_time"
- label="流转时间"
- rules={[{ required: true, message: '请选择流转时间' }]}
- >
- <DatePicker
- showTime={{ format: 'HH:mm:ss' }}
- format="YYYY-MM-DD HH:mm:ss"
- style={{ width: '100%' }}
- placeholder="请选择流转时间"
- />
- </Form.Item>
- </Col>
- </Row>
-
- <Form.Item
- name="transfer_reason"
- label="流转事由"
- >
- <Input.TextArea rows={4} placeholder="请输入流转事由" />
- </Form.Item>
-
- <Form.Item>
- <Space>
- <Button type="primary" htmlType="submit" loading={isLoading}>
- {formMode === 'create' ? '创建' : '保存'}
- </Button>
- <Button onClick={() => setModalVisible(false)}>取消</Button>
- </Space>
- </Form.Item>
- </Form>
- </Modal>
- </Card>
- </div>
- );
- };
|