Performance improvements: - Vite build: manual chunks, terser minification, optimizeDeps - API response caching with 5s TTL via axios interceptors - React.memo for SidebarMenuItem, useCallback for handlers - CSS classes replacing inline styles to reduce reflows UI/UX enhancements (inspired by SAP Fiori, Linear, Feishu): - Dashboard: trend indicators, sparkline charts, CountUp animation on stat cards - Dashboard: pending tasks section with priority labels - Dashboard: recent activity timeline - Design system tokens: trend colors, line-height, dark mode refinements - Enhanced quick actions with hover animations Accessibility (Lighthouse 100/100): - Skip-to-content link, ARIA landmarks, heading hierarchy - prefers-reduced-motion support, focus-visible states - Color contrast fixes: all text meets 4.5:1 ratio - Keyboard navigation for stat cards and task items SEO: meta theme-color, format-detection, robots.txt
249 lines
6.8 KiB
TypeScript
249 lines
6.8 KiB
TypeScript
import { useEffect, useState, useMemo, useCallback, useRef } from 'react';
|
|
import { Table, Button, Tag, Space, Modal, Typography, message, theme } from 'antd';
|
|
import { CheckOutlined, DeleteOutlined, EyeOutlined } from '@ant-design/icons';
|
|
import type { ColumnsType } from 'antd/es/table';
|
|
import { listMessages, markRead, markAllRead, deleteMessage, type MessageInfo, type MessageQuery } from '../../api/messages';
|
|
|
|
const { Paragraph } = Typography;
|
|
|
|
interface Props {
|
|
queryFilter?: MessageQuery;
|
|
}
|
|
|
|
const priorityStyles: Record<string, { bg: string; color: string; text: string }> = {
|
|
urgent: { bg: '#FEF2F2', color: '#DC2626', text: '紧急' },
|
|
important: { bg: '#FFFBEB', color: '#D97706', text: '重要' },
|
|
normal: { bg: '#EEF2FF', color: '#4F46E5', text: '普通' },
|
|
};
|
|
|
|
export default function NotificationList({ queryFilter }: Props) {
|
|
const [data, setData] = useState<MessageInfo[]>([]);
|
|
const [total, setTotal] = useState(0);
|
|
const [page, setPage] = useState(1);
|
|
const [loading, setLoading] = useState(false);
|
|
const { token } = theme.useToken();
|
|
const isDark = token.colorBgContainer === '#111827' || token.colorBgContainer === 'rgb(17, 24, 39)';
|
|
|
|
const fetchData = useCallback(async (p = page, filter?: MessageQuery) => {
|
|
setLoading(true);
|
|
try {
|
|
const result = await listMessages({ page: p, page_size: 20, ...filter });
|
|
setData(result.data);
|
|
setTotal(result.total);
|
|
} catch {
|
|
message.error('加载消息列表失败');
|
|
} finally {
|
|
setLoading(false);
|
|
}
|
|
}, [page]);
|
|
|
|
const filterKey = useMemo(() => JSON.stringify(queryFilter), [queryFilter]);
|
|
const isFirstRender = useRef(true);
|
|
|
|
useEffect(() => {
|
|
if (isFirstRender.current) {
|
|
isFirstRender.current = false;
|
|
fetchData(1, queryFilter);
|
|
}
|
|
}, [filterKey, fetchData, queryFilter]);
|
|
|
|
const handleMarkRead = async (id: string) => {
|
|
try {
|
|
await markRead(id);
|
|
fetchData(page, queryFilter);
|
|
} catch {
|
|
message.error('操作失败');
|
|
}
|
|
};
|
|
|
|
const handleMarkAllRead = async () => {
|
|
try {
|
|
await markAllRead();
|
|
fetchData(page, queryFilter);
|
|
message.success('已全部标记为已读');
|
|
} catch {
|
|
message.error('操作失败');
|
|
}
|
|
};
|
|
|
|
const handleDelete = async (id: string) => {
|
|
try {
|
|
await deleteMessage(id);
|
|
fetchData(page, queryFilter);
|
|
message.success('已删除');
|
|
} catch {
|
|
message.error('删除失败');
|
|
}
|
|
};
|
|
|
|
const showDetail = (record: MessageInfo) => {
|
|
Modal.info({
|
|
title: record.title,
|
|
width: 520,
|
|
content: (
|
|
<div>
|
|
<Paragraph>{record.body}</Paragraph>
|
|
<div style={{ marginTop: 8, color: isDark ? '#475569' : '#94A3B8', fontSize: 12 }}>
|
|
{record.created_at}
|
|
</div>
|
|
</div>
|
|
),
|
|
});
|
|
if (!record.is_read) {
|
|
handleMarkRead(record.id);
|
|
}
|
|
};
|
|
|
|
const columns: ColumnsType<MessageInfo> = [
|
|
{
|
|
title: '标题',
|
|
dataIndex: 'title',
|
|
key: 'title',
|
|
render: (text: string, record) => (
|
|
<span
|
|
style={{
|
|
fontWeight: record.is_read ? 400 : 600,
|
|
cursor: 'pointer',
|
|
color: record.is_read ? (isDark ? '#94A3B8' : '#64748B') : 'inherit',
|
|
}}
|
|
onClick={() => showDetail(record)}
|
|
>
|
|
{!record.is_read && (
|
|
<span style={{
|
|
display: 'inline-block',
|
|
width: 6,
|
|
height: 6,
|
|
borderRadius: '50%',
|
|
background: '#4F46E5',
|
|
marginRight: 8,
|
|
}} />
|
|
)}
|
|
{text}
|
|
</span>
|
|
),
|
|
},
|
|
{
|
|
title: '优先级',
|
|
dataIndex: 'priority',
|
|
key: 'priority',
|
|
width: 90,
|
|
render: (p: string) => {
|
|
const info = priorityStyles[p] || { bg: '#F1F5F9', color: '#64748B', text: p };
|
|
return (
|
|
<Tag style={{
|
|
background: info.bg,
|
|
border: 'none',
|
|
color: info.color,
|
|
fontWeight: 500,
|
|
}}>
|
|
{info.text}
|
|
</Tag>
|
|
);
|
|
},
|
|
},
|
|
{
|
|
title: '发送者',
|
|
dataIndex: 'sender_type',
|
|
key: 'sender_type',
|
|
width: 80,
|
|
render: (s: string) => <span style={{ color: isDark ? '#64748B' : '#94A3B8' }}>{s === 'system' ? '系统' : '用户'}</span>,
|
|
},
|
|
{
|
|
title: '状态',
|
|
dataIndex: 'is_read',
|
|
key: 'is_read',
|
|
width: 80,
|
|
render: (r: boolean) => (
|
|
<Tag style={{
|
|
background: r ? (isDark ? '#1E293B' : '#F1F5F9') : '#EEF2FF',
|
|
border: 'none',
|
|
color: r ? (isDark ? '#64748B' : '#94A3B8') : '#4F46E5',
|
|
fontWeight: 500,
|
|
}}>
|
|
{r ? '已读' : '未读'}
|
|
</Tag>
|
|
),
|
|
},
|
|
{
|
|
title: '时间',
|
|
dataIndex: 'created_at',
|
|
key: 'created_at',
|
|
width: 180,
|
|
render: (v: string) => (
|
|
<span style={{ color: isDark ? '#64748B' : '#94A3B8', fontSize: 13 }}>{v}</span>
|
|
),
|
|
},
|
|
{
|
|
title: '操作',
|
|
key: 'actions',
|
|
width: 120,
|
|
render: (_: unknown, record) => (
|
|
<Space size={4}>
|
|
{!record.is_read && (
|
|
<Button
|
|
type="text"
|
|
size="small"
|
|
icon={<CheckOutlined />}
|
|
onClick={() => handleMarkRead(record.id)}
|
|
style={{ color: '#4F46E5' }}
|
|
/>
|
|
)}
|
|
<Button
|
|
type="text"
|
|
size="small"
|
|
icon={<EyeOutlined />}
|
|
onClick={() => showDetail(record)}
|
|
style={{ color: isDark ? '#64748B' : '#94A3B8' }}
|
|
/>
|
|
<Button
|
|
type="text"
|
|
size="small"
|
|
danger
|
|
icon={<DeleteOutlined />}
|
|
onClick={() => handleDelete(record.id)}
|
|
/>
|
|
</Space>
|
|
),
|
|
},
|
|
];
|
|
|
|
return (
|
|
<div>
|
|
<div style={{
|
|
display: 'flex',
|
|
justifyContent: 'space-between',
|
|
alignItems: 'center',
|
|
marginBottom: 16,
|
|
}}>
|
|
<span style={{ fontSize: 13, color: isDark ? '#64748B' : '#94A3B8' }}>
|
|
共 {total} 条消息
|
|
</span>
|
|
<Button icon={<CheckOutlined />} onClick={handleMarkAllRead}>
|
|
全部标记已读
|
|
</Button>
|
|
</div>
|
|
|
|
<div style={{
|
|
background: isDark ? '#111827' : '#FFFFFF',
|
|
borderRadius: 12,
|
|
border: `1px solid ${isDark ? '#1E293B' : '#F1F5F9'}`,
|
|
overflow: 'hidden',
|
|
}}>
|
|
<Table
|
|
columns={columns}
|
|
dataSource={data}
|
|
rowKey="id"
|
|
loading={loading}
|
|
pagination={{
|
|
current: page,
|
|
total,
|
|
pageSize: 20,
|
|
onChange: (p) => { setPage(p); fetchData(p, queryFilter); },
|
|
showTotal: (t) => `共 ${t} 条记录`,
|
|
}}
|
|
/>
|
|
</div>
|
|
</div>
|
|
);
|
|
}
|