This commit is contained in:
shenquanyi
2025-08-27 15:36:36 +08:00
parent ec72c6a8b5
commit 2bd1d8c032
100 changed files with 25780 additions and 20 deletions

View File

@@ -0,0 +1,373 @@
<!DOCTYPE html>
<html lang="zh-CN">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>经纬度输入调试</title>
<style>
body {
padding: 20px;
font-family: Arial, sans-serif;
background: #f5f5f5;
}
.debug-container {
max-width: 900px;
margin: 0 auto;
background: white;
padding: 30px;
border-radius: 8px;
box-shadow: 0 2px 8px rgba(0,0,0,0.1);
}
.debug-section {
margin-bottom: 30px;
padding: 20px;
border: 1px solid #e8e8e8;
border-radius: 6px;
background: #fafafa;
}
.debug-title {
font-size: 18px;
font-weight: bold;
margin-bottom: 15px;
color: #1890ff;
}
.debug-info {
background: #f0f0f0;
padding: 15px;
border-radius: 4px;
margin-top: 10px;
font-family: 'Courier New', monospace;
white-space: pre-wrap;
border-left: 4px solid #52c41a;
font-size: 13px;
}
.input-group {
display: flex;
gap: 20px;
margin-bottom: 20px;
}
.input-item {
flex: 1;
}
.input-item label {
display: block;
margin-bottom: 5px;
font-weight: bold;
color: #333;
}
.input-item input {
width: 100%;
padding: 8px 12px;
border: 1px solid #d9d9d9;
border-radius: 4px;
font-size: 14px;
box-sizing: border-box;
}
.input-item input:focus {
border-color: #1890ff;
outline: none;
box-shadow: 0 0 0 2px rgba(24, 144, 255, 0.2);
}
.test-case {
margin-bottom: 10px;
padding: 12px;
background: white;
border: 1px solid #e8e8e8;
border-radius: 4px;
display: flex;
justify-content: space-between;
align-items: center;
}
.test-case-info {
flex: 1;
}
.test-case-name {
font-weight: bold;
color: #333;
}
.test-case-values {
color: #666;
font-size: 12px;
margin-top: 2px;
}
button {
padding: 6px 12px;
background: #1890ff;
color: white;
border: none;
border-radius: 4px;
cursor: pointer;
font-size: 12px;
}
button:hover {
background: #40a9ff;
}
button:disabled {
background: #ccc;
cursor: not-allowed;
}
.log-area {
height: 200px;
overflow-y: auto;
background: #1e1e1e;
color: #d4d4d4;
padding: 10px;
border-radius: 4px;
font-family: 'Courier New', monospace;
font-size: 12px;
line-height: 1.4;
}
.clear-btn {
background: #ff4d4f;
margin-top: 10px;
}
.clear-btn:hover {
background: #ff7875;
}
</style>
</head>
<body>
<div class="debug-container">
<h1>经纬度输入调试工具</h1>
<!-- 实时输入测试 -->
<div class="debug-section">
<div class="debug-title">实时输入测试</div>
<div class="input-group">
<div class="input-item">
<label>经度 (Longitude):</label>
<input
type="text"
id="longitude"
placeholder="请输入经度 (-180 到 180)"
oninput="handleCoordinateInput('longitude', this.value)"
/>
</div>
<div class="input-item">
<label>纬度 (Latitude):</label>
<input
type="text"
id="latitude"
placeholder="请输入纬度 (-90 到 90)"
oninput="handleCoordinateInput('latitude', this.value)"
/>
</div>
</div>
<div class="debug-info" id="currentValues">
当前值:
经度: undefined (类型: undefined)
纬度: undefined (类型: undefined)
提交数据:
{}
</div>
<div style="margin-top: 15px;">
<button onclick="simulateSubmit()">模拟提交到后端</button>
<button onclick="clearCoordinates()" style="margin-left: 10px;">清空坐标</button>
</div>
</div>
<!-- 预设测试用例 -->
<div class="debug-section">
<div class="debug-title">预设测试用例</div>
<div id="testCases"></div>
</div>
<!-- 操作日志 -->
<div class="debug-section">
<div class="debug-title">操作日志</div>
<div class="log-area" id="logArea"></div>
<button class="clear-btn" onclick="clearLogs()">清空日志</button>
</div>
</div>
<script>
// 全局状态
let formData = {
longitude: undefined,
latitude: undefined
};
let logs = [];
const testCases = [
{ name: '正常小数', longitude: '106.2400', latitude: '38.4900' },
{ name: '整数', longitude: '106', latitude: '38' },
{ name: '高精度小数', longitude: '106.234567', latitude: '38.487654' },
{ name: '负数', longitude: '-106.2400', latitude: '-38.4900' },
{ name: '包含字母', longitude: '106.24abc', latitude: '38.49xyz' },
{ name: '多个小数点', longitude: '106.24.56', latitude: '38.49.78' },
{ name: '空字符串', longitude: '', latitude: '' },
{ name: '只有小数点', longitude: '.', latitude: '.' },
{ name: '边界值', longitude: '180.0', latitude: '90.0' },
{ name: '超出范围', longitude: '200.0', latitude: '100.0' }
];
// 坐标解析器
function parseCoordinate(value) {
if (!value) return value;
// 移除非数字字符,保留小数点和负号
const cleaned = value.toString().replace(/[^\d.-]/g, '');
// 确保只有一个小数点
const parts = cleaned.split('.');
let result;
if (parts.length > 2) {
result = parts[0] + '.' + parts.slice(1).join('');
} else {
result = cleaned;
}
return result;
}
// 处理坐标输入
function handleCoordinateInput(type, value) {
log(`${type === 'longitude' ? '经度' : '纬度'}输入: "${value}"`);
const parsed = parseCoordinate(value);
log(`${type === 'longitude' ? '经度' : '纬度'}解析后: "${parsed}"`);
// 转换为数字
const numValue = parsed === '' ? undefined : parseFloat(parsed);
formData[type] = isNaN(numValue) ? undefined : numValue;
log(`${type === 'longitude' ? '经度' : '纬度'}最终值: ${formData[type]} (类型: ${typeof formData[type]})`);
// 更新输入框显示
document.getElementById(type).value = parsed;
// 更新显示
updateDisplay();
}
// 更新显示
function updateDisplay() {
const currentValuesDiv = document.getElementById('currentValues');
const submitData = getSubmitData();
currentValuesDiv.textContent = `当前值:
经度: ${formData.longitude} (类型: ${typeof formData.longitude})
纬度: ${formData.latitude} (类型: ${typeof formData.latitude})
提交数据:
${JSON.stringify(submitData, null, 2)}`;
}
// 获取提交数据
function getSubmitData() {
const submitData = {
name: '测试农场',
type: 'farm',
owner: '测试负责人',
phone: '13800138000',
address: '测试地址',
status: 'active'
};
// 只有当经纬度有效时才添加
if (formData.longitude !== undefined && formData.longitude !== null) {
submitData.longitude = formData.longitude;
}
if (formData.latitude !== undefined && formData.latitude !== null) {
submitData.latitude = formData.latitude;
}
return submitData;
}
// 应用测试用例
function applyTestCase(testCase) {
log(`\n=== 应用测试用例: ${testCase.name} ===`);
log(`设置经度: "${testCase.longitude}"`);
log(`设置纬度: "${testCase.latitude}"`);
// 设置输入框值并触发处理
document.getElementById('longitude').value = testCase.longitude;
document.getElementById('latitude').value = testCase.latitude;
handleCoordinateInput('longitude', testCase.longitude);
handleCoordinateInput('latitude', testCase.latitude);
}
// 模拟提交
async function simulateSubmit() {
log(`\n=== 模拟API提交 ===`);
const submitData = getSubmitData();
log(`提交数据: ${JSON.stringify(submitData, null, 2)}`);
try {
// 模拟API调用
const response = await fetch('http://localhost:5350/api/farms', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify(submitData)
});
const result = await response.json();
log(`API响应成功: ${JSON.stringify(result)}`);
alert('提交成功');
} catch (error) {
log(`API调用失败: ${error.message}`);
alert('API调用失败: ' + error.message);
}
}
// 清空坐标
function clearCoordinates() {
formData.longitude = undefined;
formData.latitude = undefined;
document.getElementById('longitude').value = '';
document.getElementById('latitude').value = '';
updateDisplay();
log('已清空坐标');
}
// 日志功能
function log(message) {
const timestamp = new Date().toLocaleTimeString();
logs.push(`[${timestamp}] ${message}`);
updateLogDisplay();
}
function updateLogDisplay() {
const logArea = document.getElementById('logArea');
logArea.textContent = logs.join('\n');
logArea.scrollTop = logArea.scrollHeight;
}
function clearLogs() {
logs = [];
updateLogDisplay();
}
// 初始化
document.addEventListener('DOMContentLoaded', function() {
// 渲染测试用例
const testCasesDiv = document.getElementById('testCases');
testCases.forEach(testCase => {
const div = document.createElement('div');
div.className = 'test-case';
div.innerHTML = `
<div class="test-case-info">
<div class="test-case-name">${testCase.name}</div>
<div class="test-case-values">经度: ${testCase.longitude}, 纬度: ${testCase.latitude}</div>
</div>
<button onclick="applyTestCase({name: '${testCase.name}', longitude: '${testCase.longitude}', latitude: '${testCase.latitude}'})">应用</button>
`;
testCasesDiv.appendChild(div);
});
log('调试工具已加载');
log('请使用测试用例或手动输入来测试经纬度输入框');
updateDisplay();
});
</script>
</body>
</html>

View File

@@ -105,6 +105,16 @@ export const mainRoutes = [
requiresAuth: true,
icon: 'AlertOutlined'
}
},
{
path: '/farms',
name: 'Farms',
component: () => import('../views/Farms.vue'),
meta: {
title: '养殖场管理',
requiresAuth: true,
icon: 'HomeOutlined'
}
}
]

View File

@@ -0,0 +1,450 @@
<template>
<div>
<div style="display: flex; justify-content: space-between; align-items: center; margin-bottom: 16px;">
<h1>养殖场管理</h1>
<a-button type="primary" @click="showAddModal">
<template #icon><PlusOutlined /></template>
添加养殖场
</a-button>
</div>
<a-table
:columns="columns"
:data-source="farms"
:loading="loading"
:pagination="{ pageSize: 10 }"
row-key="id"
>
<template #bodyCell="{ column, record }">
<template v-if="column.dataIndex === 'status'">
<a-tag :color="record.status === 'active' ? 'green' : record.status === 'inactive' ? 'red' : 'orange'">
{{ getStatusText(record.status) }}
</a-tag>
</template>
<template v-else-if="column.dataIndex === 'created_at'">
{{ formatDate(record.created_at) }}
</template>
<template v-else-if="column.dataIndex === 'action'">
<a-button type="link" @click="editFarm(record)">编辑</a-button>
<a-popconfirm
title="确定要删除这个养殖场吗?"
@confirm="deleteFarm(record.id)"
ok-text="确定"
cancel-text="取消"
>
<a-button type="link" danger>删除</a-button>
</a-popconfirm>
</template>
</template>
</a-table>
<!-- 添加/编辑养殖场模态框 -->
<a-modal
v-model:open="modalVisible"
:title="isEdit ? '编辑养殖场' : '添加养殖场'"
@ok="handleSubmit"
@cancel="handleCancel"
:confirm-loading="submitLoading"
width="800px"
>
<a-form
ref="formRef"
:model="formData"
:rules="rules"
layout="vertical"
:label-col="{ span: 6 }"
:wrapper-col="{ span: 18 }"
>
<a-row :gutter="16">
<a-col :span="12">
<a-form-item label="养殖场名称" name="name">
<a-input v-model:value="formData.name" placeholder="请输入养殖场名称" />
</a-form-item>
</a-col>
<a-col :span="12">
<a-form-item label="负责人" name="owner">
<a-input v-model:value="formData.owner" placeholder="请输入负责人姓名" />
</a-form-item>
</a-col>
</a-row>
<a-row :gutter="16">
<a-col :span="12">
<a-form-item label="联系电话" name="phone">
<a-input v-model:value="formData.phone" placeholder="请输入联系电话" />
</a-form-item>
</a-col>
<a-col :span="12">
<a-form-item label="状态" name="status">
<a-select v-model:value="formData.status" placeholder="请选择状态">
<a-select-option value="active">运营中</a-select-option>
<a-select-option value="inactive">已停用</a-select-option>
<a-select-option value="maintenance">维护中</a-select-option>
</a-select>
</a-form-item>
</a-col>
</a-row>
<a-form-item label="地址" name="address">
<a-input v-model:value="formData.address" placeholder="请输入详细地址" />
</a-form-item>
<a-row :gutter="16">
<a-col :span="12">
<a-form-item label="经度" name="longitude">
<a-input-number
v-model:value="formData.longitude"
placeholder="请输入经度 (-180 ~ 180)"
:precision="6"
:step="0.000001"
:min="-180"
:max="180"
:string-mode="false"
:controls="false"
:parser="value => {
if (!value) return value;
// 移除非数字字符,保留小数点和负号
const cleaned = value.toString().replace(/[^\d.-]/g, '');
// 确保只有一个小数点和负号在开头
const parts = cleaned.split('.');
if (parts.length > 2) {
return parts[0] + '.' + parts.slice(1).join('');
}
return cleaned;
}"
:formatter="value => value"
style="width: 100%"
/>
</a-form-item>
</a-col>
<a-col :span="12">
<a-form-item label="纬度" name="latitude">
<a-input-number
v-model:value="formData.latitude"
placeholder="请输入纬度 (-90 ~ 90)"
:precision="6"
:step="0.000001"
:min="-90"
:max="90"
:string-mode="false"
:controls="false"
:parser="value => {
if (!value) return value;
// 移除非数字字符,保留小数点和负号
const cleaned = value.toString().replace(/[^\d.-]/g, '');
// 确保只有一个小数点和负号在开头
const parts = cleaned.split('.');
if (parts.length > 2) {
return parts[0] + '.' + parts.slice(1).join('');
}
return cleaned;
}"
:formatter="value => value"
style="width: 100%"
/>
</a-form-item>
</a-col>
</a-row>
<a-row :gutter="16">
<a-col :span="12">
<a-form-item label="占地面积(亩)" name="area">
<a-input-number
v-model:value="formData.area"
placeholder="请输入占地面积"
:min="0"
style="width: 100%"
/>
</a-form-item>
</a-col>
<a-col :span="12">
<a-form-item label="养殖规模" name="capacity">
<a-input-number
v-model:value="formData.capacity"
placeholder="请输入养殖规模"
:min="0"
style="width: 100%"
/>
</a-form-item>
</a-col>
</a-row>
<a-form-item label="描述" name="description">
<a-textarea
v-model:value="formData.description"
placeholder="请输入养殖场描述"
:rows="3"
/>
</a-form-item>
</a-form>
</a-modal>
</div>
</template>
<script setup>
import { ref, reactive, onMounted } from 'vue'
import { message } from 'ant-design-vue'
import { PlusOutlined } from '@ant-design/icons-vue'
// 响应式数据
const farms = ref([])
const loading = ref(false)
const modalVisible = ref(false)
const submitLoading = ref(false)
const isEdit = ref(false)
const formRef = ref()
// 表单数据
const formData = reactive({
id: null,
name: '',
owner: '',
phone: '',
address: '',
longitude: undefined,
latitude: undefined,
area: undefined,
capacity: undefined,
status: 'active',
description: ''
})
// 表单验证规则
const rules = {
name: [{ required: true, message: '请输入养殖场名称', trigger: 'blur' }],
owner: [{ required: true, message: '请输入负责人姓名', trigger: 'blur' }],
phone: [
{ required: true, message: '请输入联系电话', trigger: 'blur' },
{ pattern: /^1[3-9]\d{9}$/, message: '请输入正确的手机号码', trigger: 'blur' }
],
address: [{ required: true, message: '请输入详细地址', trigger: 'blur' }],
longitude: [
{ validator: (rule, value) => {
if (value === undefined || value === null || value === '') {
return Promise.resolve(); // 允许为空
}
const num = parseFloat(value);
if (isNaN(num)) {
return Promise.reject('请输入有效的经度数值');
}
if (num < -180 || num > 180) {
return Promise.reject('经度范围应在-180到180之间');
}
// 检查小数位数不超过6位
const decimalPart = value.toString().split('.')[1];
if (decimalPart && decimalPart.length > 6) {
return Promise.reject('经度小数位数不能超过6位');
}
return Promise.resolve();
}, trigger: 'blur' }
],
latitude: [
{ validator: (rule, value) => {
if (value === undefined || value === null || value === '') {
return Promise.resolve(); // 允许为空
}
const num = parseFloat(value);
if (isNaN(num)) {
return Promise.reject('请输入有效的纬度数值');
}
if (num < -90 || num > 90) {
return Promise.reject('纬度范围应在-90到90之间');
}
// 检查小数位数不超过6位
const decimalPart = value.toString().split('.')[1];
if (decimalPart && decimalPart.length > 6) {
return Promise.reject('纬度小数位数不能超过6位');
}
return Promise.resolve();
}, trigger: 'blur' }
],
status: [{ required: true, message: '请选择状态', trigger: 'change' }]
}
// 表格列配置
const columns = [
{
title: 'ID',
dataIndex: 'id',
key: 'id',
width: 80
},
{
title: '养殖场名称',
dataIndex: 'name',
key: 'name',
width: 150
},
{
title: '负责人',
dataIndex: 'owner',
key: 'owner',
width: 100
},
{
title: '联系电话',
dataIndex: 'phone',
key: 'phone',
width: 120
},
{
title: '地址',
dataIndex: 'address',
key: 'address',
ellipsis: true
},
{
title: '状态',
dataIndex: 'status',
key: 'status',
width: 100
},
{
title: '创建时间',
dataIndex: 'created_at',
key: 'created_at',
width: 180
},
{
title: '操作',
dataIndex: 'action',
key: 'action',
width: 150
}
]
// 获取状态文本
const getStatusText = (status) => {
const statusMap = {
active: '运营中',
inactive: '已停用',
maintenance: '维护中'
}
return statusMap[status] || status
}
// 格式化日期
const formatDate = (dateString) => {
if (!dateString) return '-'
return new Date(dateString).toLocaleString('zh-CN')
}
// 获取养殖场列表
const fetchFarms = async () => {
try {
loading.value = true
const { api } = await import('../utils/api')
const response = await api.get('/farms')
if (Array.isArray(response)) {
farms.value = response
} else {
farms.value = []
console.warn('API返回数据格式异常:', response)
}
} catch (error) {
console.error('获取养殖场列表失败:', error)
message.error('获取养殖场列表失败')
farms.value = []
} finally {
loading.value = false
}
}
// 显示添加模态框
const showAddModal = () => {
isEdit.value = false
resetForm()
modalVisible.value = true
}
// 编辑养殖场
const editFarm = (record) => {
isEdit.value = true
// 解析location对象中的经纬度数据
const longitude = record.location?.lng || undefined
const latitude = record.location?.lat || undefined
Object.assign(formData, {
...record,
longitude,
latitude,
owner: record.contact || ''
})
modalVisible.value = true
}
// 删除养殖场
const deleteFarm = async (id) => {
try {
const { api } = await import('../utils/api')
await api.delete(`/farms/${id}`)
message.success('删除成功')
fetchFarms()
} catch (error) {
console.error('删除养殖场失败:', error)
message.error('删除失败')
}
}
// 提交表单
const handleSubmit = async () => {
try {
await formRef.value.validate()
submitLoading.value = true
const submitData = { ...formData }
const { api } = await import('../utils/api')
if (isEdit.value) {
await api.put(`/farms/${formData.id}`, submitData)
message.success('更新成功')
} else {
await api.post('/farms', submitData)
message.success('创建成功')
}
modalVisible.value = false
fetchFarms()
} catch (error) {
console.error('提交失败:', error)
message.error('操作失败')
} finally {
submitLoading.value = false
}
}
// 取消操作
const handleCancel = () => {
modalVisible.value = false
resetForm()
}
// 重置表单
const resetForm = () => {
Object.assign(formData, {
id: null,
name: '',
owner: '',
phone: '',
address: '',
longitude: undefined,
latitude: undefined,
area: undefined,
capacity: undefined,
status: 'active',
description: ''
})
formRef.value?.resetFields()
}
// 组件挂载时获取数据
onMounted(() => {
fetchFarms()
})
</script>
<style scoped>
.ant-form-item {
margin-bottom: 16px;
}
</style>

View File

@@ -0,0 +1,211 @@
<template>
<div class="table-stats-container">
<div class="header">
<h2>统计数据表格</h2>
<p>基于MySQL数据库的真实统计数据</p>
</div>
<div class="canvas-container">
<canvas
ref="tableCanvas"
:width="canvasWidth"
:height="canvasHeight"
class="stats-canvas"
></canvas>
</div>
<div class="loading" v-if="loading">
<a-spin size="large" />
<p>正在加载数据...</p>
</div>
<div class="error" v-if="error">
<a-alert
:message="error"
type="error"
show-icon
@close="error = null"
/>
</div>
</div>
</template>
<script setup>
import { ref, onMounted, nextTick } from 'vue'
import { message } from 'ant-design-vue'
import api from '@/utils/api'
// 响应式数据
const tableCanvas = ref(null)
const loading = ref(false)
const error = ref(null)
const tableData = ref([])
const canvasWidth = ref(600)
const canvasHeight = ref(300)
// 获取统计数据
const fetchTableStats = async () => {
try {
loading.value = true
error.value = null
const response = await api.get('/stats/public/table')
if (response.data.success) {
tableData.value = response.data.data
await nextTick()
drawTable()
} else {
throw new Error(response.data.message || '获取数据失败')
}
} catch (err) {
console.error('获取统计数据失败:', err)
error.value = err.message || '获取统计数据失败'
message.error('获取统计数据失败')
} finally {
loading.value = false
}
}
// 绘制表格
const drawTable = () => {
if (!tableCanvas.value || !tableData.value.length) return
const canvas = tableCanvas.value
const ctx = canvas.getContext('2d')
// 清空画布
ctx.clearRect(0, 0, canvas.width, canvas.height)
// 设置字体和样式
ctx.font = '16px Arial, sans-serif'
ctx.textAlign = 'left'
ctx.textBaseline = 'middle'
// 表格参数
const startX = 50
const startY = 50
const rowHeight = 50
const col1Width = 200
const col2Width = 150
const tableWidth = col1Width + col2Width
const tableHeight = (tableData.value.length + 1) * rowHeight
// 绘制表格边框
ctx.strokeStyle = '#d9d9d9'
ctx.lineWidth = 1
// 绘制外边框
ctx.strokeRect(startX, startY, tableWidth, tableHeight)
// 绘制列分隔线
ctx.beginPath()
ctx.moveTo(startX + col1Width, startY)
ctx.lineTo(startX + col1Width, startY + tableHeight)
ctx.stroke()
// 绘制表头
ctx.fillStyle = '#f5f5f5'
ctx.fillRect(startX, startY, tableWidth, rowHeight)
// 绘制表头边框
ctx.strokeRect(startX, startY, tableWidth, rowHeight)
// 绘制表头文字
ctx.fillStyle = '#262626'
ctx.font = 'bold 16px Arial, sans-serif'
ctx.fillText('数据描述', startX + 10, startY + rowHeight / 2)
ctx.fillText('统计数值', startX + col1Width + 10, startY + rowHeight / 2)
// 绘制数据行
ctx.font = '16px Arial, sans-serif'
tableData.value.forEach((item, index) => {
const y = startY + (index + 1) * rowHeight
// 绘制行分隔线
ctx.beginPath()
ctx.moveTo(startX, y)
ctx.lineTo(startX + tableWidth, y)
ctx.stroke()
// 绘制数据
ctx.fillStyle = '#262626'
ctx.fillText(item.description, startX + 10, y + rowHeight / 2)
// 数值用不同颜色显示
ctx.fillStyle = '#1890ff'
ctx.font = 'bold 16px Arial, sans-serif'
ctx.fillText(item.value.toLocaleString(), startX + col1Width + 10, y + rowHeight / 2)
ctx.font = '16px Arial, sans-serif'
})
// 绘制标题
ctx.fillStyle = '#262626'
ctx.font = 'bold 20px Arial, sans-serif'
ctx.textAlign = 'center'
ctx.fillText('农场统计数据表', startX + tableWidth / 2, 25)
// 绘制数据来源说明
ctx.font = '12px Arial, sans-serif'
ctx.fillStyle = '#8c8c8c'
ctx.fillText('数据来源MySQL数据库实时查询', startX + tableWidth / 2, startY + tableHeight + 30)
}
// 组件挂载时获取数据
onMounted(() => {
fetchTableStats()
})
</script>
<style scoped>
.table-stats-container {
padding: 24px;
background: #fff;
border-radius: 8px;
box-shadow: 0 2px 8px rgba(0, 0, 0, 0.1);
}
.header {
margin-bottom: 24px;
text-align: center;
}
.header h2 {
margin: 0 0 8px 0;
color: #262626;
font-size: 24px;
font-weight: 600;
}
.header p {
margin: 0;
color: #8c8c8c;
font-size: 14px;
}
.canvas-container {
display: flex;
justify-content: center;
margin: 24px 0;
}
.stats-canvas {
border: 1px solid #f0f0f0;
border-radius: 4px;
background: #fafafa;
}
.loading {
text-align: center;
padding: 40px;
}
.loading p {
margin-top: 16px;
color: #8c8c8c;
}
.error {
margin-top: 16px;
}
</style>