mirror of
https://github.com/fawney19/Aether.git
synced 2026-01-02 15:52:26 +08:00
refactor(frontend): optimize UI components (ScatterChart, ActivityHeatmap, table-card)
This commit is contained in:
@@ -65,7 +65,10 @@ import 'chartjs-adapter-date-fns'
|
|||||||
|
|
||||||
const props = withDefaults(defineProps<Props>(), {
|
const props = withDefaults(defineProps<Props>(), {
|
||||||
height: 300,
|
height: 300,
|
||||||
options: undefined
|
options: undefined,
|
||||||
|
compressGaps: false,
|
||||||
|
gapThreshold: 60, // 默认 60 分钟以上的间隙会被压缩
|
||||||
|
compressedGapSize: 5 // 压缩后的间隙显示为 5 分钟
|
||||||
})
|
})
|
||||||
|
|
||||||
ChartJS.register(
|
ChartJS.register(
|
||||||
@@ -82,6 +85,9 @@ interface Props {
|
|||||||
data: ChartData<'scatter'>
|
data: ChartData<'scatter'>
|
||||||
options?: ChartOptions<'scatter'>
|
options?: ChartOptions<'scatter'>
|
||||||
height?: number
|
height?: number
|
||||||
|
compressGaps?: boolean
|
||||||
|
gapThreshold?: number // 间隙阈值(分钟)
|
||||||
|
compressedGapSize?: number // 压缩后显示大小(分钟)
|
||||||
}
|
}
|
||||||
|
|
||||||
interface DatasetStats {
|
interface DatasetStats {
|
||||||
@@ -100,10 +106,18 @@ interface CrosshairStats {
|
|||||||
totalBelowPercent: number
|
totalBelowPercent: number
|
||||||
}
|
}
|
||||||
|
|
||||||
|
interface GapInfo {
|
||||||
|
startX: number // 压缩后的 X 位置
|
||||||
|
originalStart: Date
|
||||||
|
originalEnd: Date
|
||||||
|
duration: number // 间隙时长(毫秒)
|
||||||
|
}
|
||||||
|
|
||||||
const chartRef = ref<HTMLCanvasElement>()
|
const chartRef = ref<HTMLCanvasElement>()
|
||||||
let chart: ChartJS<'scatter'> | null = null
|
let chart: ChartJS<'scatter'> | null = null
|
||||||
|
|
||||||
const crosshairY = ref<number | null>(null)
|
const crosshairY = ref<number | null>(null)
|
||||||
|
const gapInfoList = ref<GapInfo[]>([])
|
||||||
|
|
||||||
const crosshairStats = computed<CrosshairStats | null>(() => {
|
const crosshairStats = computed<CrosshairStats | null>(() => {
|
||||||
if (crosshairY.value === null || !props.data.datasets) return null
|
if (crosshairY.value === null || !props.data.datasets) return null
|
||||||
@@ -152,9 +166,6 @@ const crosshairStats = computed<CrosshairStats | null>(() => {
|
|||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
// 旧版插件(保留作为参考但不再使用,使用下方的 crosshairPluginWithTransform 代替)
|
|
||||||
// const crosshairPlugin: Plugin<'scatter'> = { ... }
|
|
||||||
|
|
||||||
// 自定义非线性 Y 轴转换函数
|
// 自定义非线性 Y 轴转换函数
|
||||||
// 0-10 分钟占据 70% 的空间,10-120 分钟占据 30% 的空间
|
// 0-10 分钟占据 70% 的空间,10-120 分钟占据 30% 的空间
|
||||||
const BREAKPOINT = 10 // 分界点:10 分钟
|
const BREAKPOINT = 10 // 分界点:10 分钟
|
||||||
@@ -185,13 +196,96 @@ function toRealValue(displayValue: number): number {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 压缩时间间隙的数据转换
|
||||||
|
function compressTimeGaps(data: ChartData<'scatter'>): {
|
||||||
|
data: ChartData<'scatter'>
|
||||||
|
gaps: GapInfo[]
|
||||||
|
timeMapping: Map<number, number> // 原始时间 -> 压缩后时间
|
||||||
|
} {
|
||||||
|
const gapThresholdMs = props.gapThreshold * 60 * 1000
|
||||||
|
const compressedGapSizeMs = props.compressedGapSize * 60 * 1000
|
||||||
|
|
||||||
|
// 收集所有数据点的时间戳并排序
|
||||||
|
const allTimestamps: number[] = []
|
||||||
|
for (const dataset of data.datasets) {
|
||||||
|
for (const point of dataset.data as Array<{ x: string; y: number }>) {
|
||||||
|
allTimestamps.push(new Date(point.x).getTime())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
allTimestamps.sort((a, b) => a - b)
|
||||||
|
|
||||||
|
if (allTimestamps.length < 2) {
|
||||||
|
return { data, gaps: [], timeMapping: new Map() }
|
||||||
|
}
|
||||||
|
|
||||||
|
// 找出所有大间隙
|
||||||
|
const gaps: GapInfo[] = []
|
||||||
|
const timeMapping = new Map<number, number>()
|
||||||
|
let totalCompression = 0
|
||||||
|
|
||||||
|
for (let i = 1; i < allTimestamps.length; i++) {
|
||||||
|
const gap = allTimestamps[i] - allTimestamps[i - 1]
|
||||||
|
if (gap > gapThresholdMs) {
|
||||||
|
const compression = gap - compressedGapSizeMs
|
||||||
|
gaps.push({
|
||||||
|
startX: allTimestamps[i - 1] - totalCompression + compressedGapSizeMs / 2,
|
||||||
|
originalStart: new Date(allTimestamps[i - 1]),
|
||||||
|
originalEnd: new Date(allTimestamps[i]),
|
||||||
|
duration: gap
|
||||||
|
})
|
||||||
|
totalCompression += compression
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 构建时间映射
|
||||||
|
let currentCompression = 0
|
||||||
|
let gapIndex = 0
|
||||||
|
for (const ts of allTimestamps) {
|
||||||
|
// 检查是否跨过了某个间隙
|
||||||
|
while (gapIndex < gaps.length && ts >= gaps[gapIndex].originalEnd.getTime()) {
|
||||||
|
const gapDuration = gaps[gapIndex].originalEnd.getTime() - gaps[gapIndex].originalStart.getTime()
|
||||||
|
currentCompression += gapDuration - compressedGapSizeMs
|
||||||
|
gapIndex++
|
||||||
|
}
|
||||||
|
timeMapping.set(ts, ts - currentCompression)
|
||||||
|
}
|
||||||
|
|
||||||
|
// 更新间隙的 startX 为压缩后的坐标
|
||||||
|
gapIndex = 0
|
||||||
|
currentCompression = 0
|
||||||
|
for (const gap of gaps) {
|
||||||
|
gap.startX = gap.originalStart.getTime() - currentCompression + compressedGapSizeMs / 2
|
||||||
|
const gapDuration = gap.originalEnd.getTime() - gap.originalStart.getTime()
|
||||||
|
currentCompression += gapDuration - compressedGapSizeMs
|
||||||
|
}
|
||||||
|
|
||||||
|
// 转换数据
|
||||||
|
const compressedData: ChartData<'scatter'> = {
|
||||||
|
...data,
|
||||||
|
datasets: data.datasets.map(dataset => ({
|
||||||
|
...dataset,
|
||||||
|
data: (dataset.data as Array<{ x: string; y: number }>).map(point => {
|
||||||
|
const originalTs = new Date(point.x).getTime()
|
||||||
|
const compressedTs = timeMapping.get(originalTs) ?? originalTs
|
||||||
|
return {
|
||||||
|
...point,
|
||||||
|
x: new Date(compressedTs).toISOString(),
|
||||||
|
_originalX: point.x // 保存原始时间
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}))
|
||||||
|
}
|
||||||
|
|
||||||
|
return { data: compressedData, gaps, timeMapping }
|
||||||
|
}
|
||||||
|
|
||||||
// 转换数据点的 Y 值
|
// 转换数据点的 Y 值
|
||||||
function transformData(data: ChartData<'scatter'>): ChartData<'scatter'> {
|
function transformData(data: ChartData<'scatter'>): ChartData<'scatter'> {
|
||||||
return {
|
return {
|
||||||
...data,
|
...data,
|
||||||
datasets: data.datasets.map(dataset => ({
|
datasets: data.datasets.map(dataset => ({
|
||||||
...dataset,
|
...dataset,
|
||||||
data: (dataset.data as Array<{ x: string; y: number }>).map(point => ({
|
data: (dataset.data as Array<{ x: string; y: number; _originalX?: string }>).map(point => ({
|
||||||
...point,
|
...point,
|
||||||
y: toDisplayValue(point.y),
|
y: toDisplayValue(point.y),
|
||||||
_originalY: point.y // 保存原始值用于 tooltip
|
_originalY: point.y // 保存原始值用于 tooltip
|
||||||
@@ -200,6 +294,16 @@ function transformData(data: ChartData<'scatter'>): ChartData<'scatter'> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 格式化时长
|
||||||
|
function formatDuration(ms: number): string {
|
||||||
|
const hours = Math.floor(ms / (1000 * 60 * 60))
|
||||||
|
const minutes = Math.floor((ms % (1000 * 60 * 60)) / (1000 * 60))
|
||||||
|
if (hours > 0) {
|
||||||
|
return `${hours}h${minutes > 0 ? minutes + 'm' : ''}`
|
||||||
|
}
|
||||||
|
return `${minutes}m`
|
||||||
|
}
|
||||||
|
|
||||||
const defaultOptions: ChartOptions<'scatter'> = {
|
const defaultOptions: ChartOptions<'scatter'> = {
|
||||||
responsive: true,
|
responsive: true,
|
||||||
maintainAspectRatio: false,
|
maintainAspectRatio: false,
|
||||||
@@ -211,22 +315,19 @@ const defaultOptions: ChartOptions<'scatter'> = {
|
|||||||
x: {
|
x: {
|
||||||
type: 'time',
|
type: 'time',
|
||||||
time: {
|
time: {
|
||||||
unit: 'hour',
|
|
||||||
displayFormats: {
|
displayFormats: {
|
||||||
hour: 'MM-dd HH:mm'
|
hour: 'HH:mm'
|
||||||
}
|
},
|
||||||
|
tooltipFormat: 'HH:mm'
|
||||||
},
|
},
|
||||||
grid: {
|
grid: {
|
||||||
color: 'rgba(156, 163, 175, 0.1)'
|
color: 'rgba(156, 163, 175, 0.1)'
|
||||||
},
|
},
|
||||||
ticks: {
|
ticks: {
|
||||||
color: 'rgb(107, 114, 128)',
|
color: 'rgb(107, 114, 128)',
|
||||||
maxRotation: 45
|
maxRotation: 0,
|
||||||
},
|
autoSkip: true,
|
||||||
title: {
|
maxTicksLimit: 10
|
||||||
display: true,
|
|
||||||
text: '时间',
|
|
||||||
color: 'rgb(107, 114, 128)'
|
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
y: {
|
y: {
|
||||||
@@ -280,6 +381,18 @@ const defaultOptions: ChartOptions<'scatter'> = {
|
|||||||
borderColor: 'rgb(75, 85, 99)',
|
borderColor: 'rgb(75, 85, 99)',
|
||||||
borderWidth: 1,
|
borderWidth: 1,
|
||||||
callbacks: {
|
callbacks: {
|
||||||
|
title: (contexts) => {
|
||||||
|
if (contexts.length === 0) return ''
|
||||||
|
const point = contexts[0].raw as { x: string; _originalX?: string }
|
||||||
|
const timeStr = point._originalX || point.x
|
||||||
|
const date = new Date(timeStr)
|
||||||
|
return date.toLocaleString('zh-CN', {
|
||||||
|
month: 'numeric',
|
||||||
|
day: 'numeric',
|
||||||
|
hour: '2-digit',
|
||||||
|
minute: '2-digit'
|
||||||
|
})
|
||||||
|
},
|
||||||
label: (context) => {
|
label: (context) => {
|
||||||
const point = context.raw as { x: string; y: number; _originalY?: number }
|
const point = context.raw as { x: string; y: number; _originalY?: number }
|
||||||
const realY = point._originalY ?? toRealValue(point.y)
|
const realY = point._originalY ?? toRealValue(point.y)
|
||||||
@@ -347,6 +460,52 @@ const crosshairPluginWithTransform: Plugin<'scatter'> = {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 绘制间隙标记的插件
|
||||||
|
const gapMarkerPlugin: Plugin<'scatter'> = {
|
||||||
|
id: 'gapMarker',
|
||||||
|
afterDraw: (chartInstance) => {
|
||||||
|
if (gapInfoList.value.length === 0) return
|
||||||
|
|
||||||
|
const { ctx, chartArea, scales } = chartInstance
|
||||||
|
const xScale = scales.x
|
||||||
|
if (!xScale || !chartArea) return
|
||||||
|
|
||||||
|
ctx.save()
|
||||||
|
|
||||||
|
for (const gap of gapInfoList.value) {
|
||||||
|
const xPixel = xScale.getPixelForValue(gap.startX)
|
||||||
|
if (xPixel < chartArea.left || xPixel > chartArea.right) continue
|
||||||
|
|
||||||
|
// 绘制波浪线断点标记
|
||||||
|
const waveHeight = 6
|
||||||
|
const waveWidth = 8
|
||||||
|
const y1 = chartArea.top
|
||||||
|
const y2 = chartArea.bottom
|
||||||
|
|
||||||
|
ctx.beginPath()
|
||||||
|
ctx.strokeStyle = 'rgba(156, 163, 175, 0.5)'
|
||||||
|
ctx.lineWidth = 1.5
|
||||||
|
ctx.setLineDash([])
|
||||||
|
|
||||||
|
// 绘制波浪线
|
||||||
|
for (let y = y1; y < y2; y += waveHeight * 2) {
|
||||||
|
ctx.moveTo(xPixel - waveWidth / 2, y)
|
||||||
|
ctx.quadraticCurveTo(xPixel + waveWidth / 2, y + waveHeight, xPixel - waveWidth / 2, y + waveHeight * 2)
|
||||||
|
}
|
||||||
|
ctx.stroke()
|
||||||
|
|
||||||
|
// 绘制间隙时长标签
|
||||||
|
ctx.fillStyle = 'rgba(107, 114, 128, 0.8)'
|
||||||
|
ctx.font = '10px sans-serif'
|
||||||
|
ctx.textAlign = 'center'
|
||||||
|
const label = formatDuration(gap.duration)
|
||||||
|
ctx.fillText(label, xPixel, chartArea.top - 4)
|
||||||
|
}
|
||||||
|
|
||||||
|
ctx.restore()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
function handleMouseLeave() {
|
function handleMouseLeave() {
|
||||||
crosshairY.value = null
|
crosshairY.value = null
|
||||||
if (chart) {
|
if (chart) {
|
||||||
@@ -357,8 +516,18 @@ function handleMouseLeave() {
|
|||||||
function createChart() {
|
function createChart() {
|
||||||
if (!chartRef.value) return
|
if (!chartRef.value) return
|
||||||
|
|
||||||
|
let dataToUse = props.data
|
||||||
|
gapInfoList.value = []
|
||||||
|
|
||||||
|
// 如果启用间隙压缩
|
||||||
|
if (props.compressGaps) {
|
||||||
|
const { data: compressedData, gaps } = compressTimeGaps(props.data)
|
||||||
|
dataToUse = compressedData
|
||||||
|
gapInfoList.value = gaps
|
||||||
|
}
|
||||||
|
|
||||||
// 转换数据
|
// 转换数据
|
||||||
const transformedData = transformData(props.data)
|
const transformedData = transformData(dataToUse)
|
||||||
|
|
||||||
chart = new ChartJS(chartRef.value, {
|
chart = new ChartJS(chartRef.value, {
|
||||||
type: 'scatter',
|
type: 'scatter',
|
||||||
@@ -367,7 +536,7 @@ function createChart() {
|
|||||||
...defaultOptions,
|
...defaultOptions,
|
||||||
...props.options
|
...props.options
|
||||||
},
|
},
|
||||||
plugins: [crosshairPluginWithTransform]
|
plugins: [crosshairPluginWithTransform, gapMarkerPlugin]
|
||||||
})
|
})
|
||||||
|
|
||||||
chartRef.value.addEventListener('mouseleave', handleMouseLeave)
|
chartRef.value.addEventListener('mouseleave', handleMouseLeave)
|
||||||
@@ -375,7 +544,16 @@ function createChart() {
|
|||||||
|
|
||||||
function updateChart() {
|
function updateChart() {
|
||||||
if (chart) {
|
if (chart) {
|
||||||
chart.data = transformData(props.data)
|
let dataToUse = props.data
|
||||||
|
gapInfoList.value = []
|
||||||
|
|
||||||
|
if (props.compressGaps) {
|
||||||
|
const { data: compressedData, gaps } = compressTimeGaps(props.data)
|
||||||
|
dataToUse = compressedData
|
||||||
|
gapInfoList.value = gaps
|
||||||
|
}
|
||||||
|
|
||||||
|
chart.data = transformData(dataToUse)
|
||||||
chart.update('none')
|
chart.update('none')
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -396,6 +574,13 @@ onUnmounted(() => {
|
|||||||
})
|
})
|
||||||
|
|
||||||
watch(() => props.data, updateChart, { deep: true })
|
watch(() => props.data, updateChart, { deep: true })
|
||||||
|
watch(() => props.compressGaps, () => {
|
||||||
|
if (chart) {
|
||||||
|
chart.destroy()
|
||||||
|
chart = null
|
||||||
|
}
|
||||||
|
createChart()
|
||||||
|
})
|
||||||
watch(() => props.options, () => {
|
watch(() => props.options, () => {
|
||||||
if (chart) {
|
if (chart) {
|
||||||
chart.options = {
|
chart.options = {
|
||||||
|
|||||||
@@ -1,5 +1,24 @@
|
|||||||
<template>
|
<template>
|
||||||
<div class="space-y-4 w-full overflow-visible">
|
<div class="space-y-4 w-full">
|
||||||
|
<!-- Tooltip 使用 Teleport 确保不受父容器 overflow 影响 -->
|
||||||
|
<Teleport to="body">
|
||||||
|
<div
|
||||||
|
v-if="tooltip.visible && tooltip.day"
|
||||||
|
class="fixed z-50 rounded-lg border border-border/70 bg-background px-3 py-2 text-xs shadow-lg backdrop-blur pointer-events-none"
|
||||||
|
:style="tooltipStyle"
|
||||||
|
>
|
||||||
|
<p class="font-medium">
|
||||||
|
{{ tooltip.day.date }}
|
||||||
|
</p>
|
||||||
|
<p class="mt-0.5">
|
||||||
|
{{ tooltip.day.requests }} 次请求 · {{ formatTokens(tooltip.day.total_tokens) }}
|
||||||
|
</p>
|
||||||
|
<p class="text-[11px] text-muted-foreground">
|
||||||
|
成本 {{ formatCurrency(tooltip.day.total_cost) }}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</Teleport>
|
||||||
|
|
||||||
<div
|
<div
|
||||||
v-if="showHeader"
|
v-if="showHeader"
|
||||||
class="flex items-center justify-between gap-4"
|
class="flex items-center justify-between gap-4"
|
||||||
@@ -32,7 +51,7 @@
|
|||||||
|
|
||||||
<div
|
<div
|
||||||
v-if="weekColumns.length > 0"
|
v-if="weekColumns.length > 0"
|
||||||
class="flex w-full gap-3 overflow-visible"
|
class="flex w-full gap-3"
|
||||||
>
|
>
|
||||||
<div
|
<div
|
||||||
class="flex flex-col text-[10px] text-muted-foreground flex-shrink-0"
|
class="flex flex-col text-[10px] text-muted-foreground flex-shrink-0"
|
||||||
@@ -71,26 +90,11 @@
|
|||||||
class="flex items-center invisible"
|
class="flex items-center invisible"
|
||||||
>周六</span>
|
>周六</span>
|
||||||
</div>
|
</div>
|
||||||
<div class="flex-1 min-w-[240px] overflow-visible">
|
<div class="flex-1 min-w-[200px]">
|
||||||
<div
|
<div
|
||||||
ref="heatmapWrapper"
|
ref="heatmapWrapper"
|
||||||
class="relative block w-full"
|
class="relative block w-full"
|
||||||
>
|
>
|
||||||
<div
|
|
||||||
v-if="tooltip.visible && tooltip.day"
|
|
||||||
class="fixed z-10 rounded-lg border border-border/70 bg-background px-3 py-2 text-xs shadow-lg backdrop-blur pointer-events-none"
|
|
||||||
:style="tooltipStyle"
|
|
||||||
>
|
|
||||||
<p class="font-medium">
|
|
||||||
{{ tooltip.day.date }}
|
|
||||||
</p>
|
|
||||||
<p class="mt-0.5">
|
|
||||||
{{ tooltip.day.requests }} 次请求 · {{ formatTokens(tooltip.day.total_tokens) }}
|
|
||||||
</p>
|
|
||||||
<p class="text-[11px] text-muted-foreground">
|
|
||||||
成本 {{ formatCurrency(tooltip.day.total_cost) }}
|
|
||||||
</p>
|
|
||||||
</div>
|
|
||||||
<div
|
<div
|
||||||
class="flex text-[10px] text-muted-foreground/80 mb-3"
|
class="flex text-[10px] text-muted-foreground/80 mb-3"
|
||||||
:style="horizontalGapStyle"
|
:style="horizontalGapStyle"
|
||||||
@@ -286,8 +290,8 @@ const recalcCellSize = () => {
|
|||||||
const totalGap = Math.max(columnCount - 1, 0) * cellGap.value
|
const totalGap = Math.max(columnCount - 1, 0) * cellGap.value
|
||||||
const availableSpace = Math.max(heatmapWidth.value - totalGap, 0)
|
const availableSpace = Math.max(heatmapWidth.value - totalGap, 0)
|
||||||
const rawSize = availableSpace / columnCount
|
const rawSize = availableSpace / columnCount
|
||||||
// 不设置上限,让格子填满可用空间
|
// 自适应尺寸,最小 6px
|
||||||
cellSize.value = rawSize > 0 ? rawSize : 8
|
cellSize.value = Math.max(6, rawSize)
|
||||||
}
|
}
|
||||||
|
|
||||||
watch(
|
watch(
|
||||||
|
|||||||
@@ -3,19 +3,19 @@
|
|||||||
<!-- 标题和操作栏 -->
|
<!-- 标题和操作栏 -->
|
||||||
<div
|
<div
|
||||||
v-if="$slots.header || title"
|
v-if="$slots.header || title"
|
||||||
class="px-6 py-3.5 border-b border-border/60"
|
class="px-4 sm:px-6 py-3 sm:py-3.5 border-b border-border/60"
|
||||||
>
|
>
|
||||||
<slot name="header">
|
<slot name="header">
|
||||||
<div class="flex items-center justify-between gap-4">
|
<div class="flex flex-col sm:flex-row sm:items-center sm:justify-between gap-3 sm:gap-4">
|
||||||
<!-- 左侧:标题 -->
|
<!-- 左侧:标题 -->
|
||||||
<h3 class="text-base font-semibold">
|
<h3 class="text-sm sm:text-base font-semibold shrink-0">
|
||||||
{{ title }}
|
{{ title }}
|
||||||
</h3>
|
</h3>
|
||||||
|
|
||||||
<!-- 右侧:操作区 -->
|
<!-- 右侧:操作区 -->
|
||||||
<div
|
<div
|
||||||
v-if="$slots.actions"
|
v-if="$slots.actions"
|
||||||
class="flex items-center gap-2"
|
class="flex flex-wrap items-center gap-2"
|
||||||
>
|
>
|
||||||
<slot name="actions" />
|
<slot name="actions" />
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
Reference in New Issue
Block a user