324 lines
13 KiB
TypeScript
324 lines
13 KiB
TypeScript
"use client";
|
||
|
||
import { useState, useEffect } from 'react';
|
||
import { format, subDays } from 'date-fns';
|
||
import { DateRangePicker } from '@/app/components/ui/DateRangePicker';
|
||
import TimeSeriesChart from '@/app/components/charts/TimeSeriesChart';
|
||
import GeoAnalytics from '@/app/components/analytics/GeoAnalytics';
|
||
import DevicePieCharts from '@/app/components/charts/DevicePieCharts';
|
||
import { EventsSummary, TimeSeriesData, GeoData, DeviceAnalytics as DeviceAnalyticsType } from '@/app/api/types';
|
||
import { TeamSelector } from '@/app/components/ui/TeamSelector';
|
||
|
||
// 事件类型定义
|
||
interface Event {
|
||
event_id?: string;
|
||
url_id: string;
|
||
url: string;
|
||
event_type: string;
|
||
visitor_id: string;
|
||
created_at: string;
|
||
referrer?: string;
|
||
browser?: string;
|
||
os?: string;
|
||
device_type?: string;
|
||
country?: string;
|
||
city?: string;
|
||
}
|
||
|
||
// 格式化日期函数
|
||
const formatDate = (dateString: string) => {
|
||
if (!dateString) return '';
|
||
try {
|
||
return format(new Date(dateString), 'yyyy-MM-dd HH:mm:ss');
|
||
} catch {
|
||
return dateString;
|
||
}
|
||
};
|
||
|
||
export default function DashboardPage() {
|
||
// 默认日期范围为最近7天
|
||
const today = new Date();
|
||
const [dateRange, setDateRange] = useState({
|
||
from: subDays(today, 7), // 7天前
|
||
to: today // 今天
|
||
});
|
||
|
||
// 添加团队选择状态 - 使用数组支持多选
|
||
const [selectedTeamIds, setSelectedTeamIds] = useState<string[]>([]);
|
||
const [loading, setLoading] = useState(true);
|
||
const [error, setError] = useState<string | null>(null);
|
||
const [summary, setSummary] = useState<EventsSummary | null>(null);
|
||
const [timeSeriesData, setTimeSeriesData] = useState<TimeSeriesData[]>([]);
|
||
const [geoData, setGeoData] = useState<GeoData[]>([]);
|
||
const [deviceData, setDeviceData] = useState<DeviceAnalyticsType | null>(null);
|
||
const [events, setEvents] = useState<Event[]>([]);
|
||
const [urlFilter, setUrlFilter] = useState('');
|
||
|
||
useEffect(() => {
|
||
const fetchData = async () => {
|
||
setLoading(true);
|
||
setError(null);
|
||
|
||
try {
|
||
const startTime = format(dateRange.from, "yyyy-MM-dd'T'HH:mm:ss'Z'");
|
||
const endTime = format(dateRange.to, "yyyy-MM-dd'T'HH:mm:ss'Z'");
|
||
|
||
// 构建基础URL和查询参数
|
||
const baseUrl = '/api/events';
|
||
const params = new URLSearchParams({
|
||
startTime,
|
||
endTime,
|
||
...(urlFilter && { urlId: urlFilter })
|
||
});
|
||
|
||
// 添加团队ID参数 - 支持多个团队
|
||
if (selectedTeamIds.length > 0) {
|
||
selectedTeamIds.forEach(teamId => {
|
||
params.append('teamId', teamId);
|
||
});
|
||
}
|
||
|
||
// 并行获取所有数据
|
||
const [summaryRes, timeSeriesRes, geoRes, deviceRes, eventsRes] = await Promise.all([
|
||
fetch(`${baseUrl}/summary?${params.toString()}`),
|
||
fetch(`${baseUrl}/time-series?${params.toString()}`),
|
||
fetch(`${baseUrl}/geo?${params.toString()}`),
|
||
fetch(`${baseUrl}/devices?${params.toString()}`),
|
||
fetch(`${baseUrl}?${params.toString()}`)
|
||
]);
|
||
|
||
const [summaryData, timeSeriesData, geoData, deviceData, eventsData] = await Promise.all([
|
||
summaryRes.json(),
|
||
timeSeriesRes.json(),
|
||
geoRes.json(),
|
||
deviceRes.json(),
|
||
eventsRes.json()
|
||
]);
|
||
|
||
if (!summaryRes.ok) throw new Error(summaryData.error || 'Failed to fetch summary data');
|
||
if (!timeSeriesRes.ok) throw new Error(timeSeriesData.error || 'Failed to fetch time series data');
|
||
if (!geoRes.ok) throw new Error(geoData.error || 'Failed to fetch geo data');
|
||
if (!deviceRes.ok) throw new Error(deviceData.error || 'Failed to fetch device data');
|
||
if (!eventsRes.ok) throw new Error(eventsData.error || 'Failed to fetch events data');
|
||
|
||
setSummary(summaryData.data);
|
||
setTimeSeriesData(timeSeriesData.data);
|
||
setGeoData(geoData.data);
|
||
setDeviceData(deviceData.data);
|
||
setEvents(eventsData.data || []);
|
||
} catch (err) {
|
||
setError(err instanceof Error ? err.message : 'An error occurred while fetching data');
|
||
} finally {
|
||
setLoading(false);
|
||
}
|
||
};
|
||
|
||
fetchData();
|
||
}, [dateRange, urlFilter, selectedTeamIds]);
|
||
|
||
if (loading) {
|
||
return (
|
||
<div className="flex items-center justify-center min-h-screen">
|
||
<div className="animate-spin rounded-full h-12 w-12 border-t-2 border-b-2 border-blue-500" />
|
||
</div>
|
||
);
|
||
}
|
||
|
||
if (error) {
|
||
return (
|
||
<div className="flex items-center justify-center min-h-screen">
|
||
<div className="text-red-500">{error}</div>
|
||
</div>
|
||
);
|
||
}
|
||
|
||
return (
|
||
<div className="container mx-auto px-4 py-8">
|
||
<div className="flex justify-between items-center mb-8">
|
||
<h1 className="text-2xl font-bold text-gray-900">Analytics Dashboard</h1>
|
||
<div className="flex items-center space-x-4">
|
||
<TeamSelector
|
||
value={selectedTeamIds}
|
||
onChange={(value) => setSelectedTeamIds(Array.isArray(value) ? value : [value])}
|
||
className="w-[250px]"
|
||
multiple={true}
|
||
/>
|
||
<DateRangePicker
|
||
value={dateRange}
|
||
onChange={setDateRange}
|
||
/>
|
||
</div>
|
||
</div>
|
||
|
||
{/* 显示团队选择信息 */}
|
||
{selectedTeamIds.length > 0 && (
|
||
<div className="bg-blue-50 rounded-lg p-3 mb-6 flex items-center">
|
||
<span className="text-blue-700 font-medium mr-2">
|
||
{selectedTeamIds.length === 1 ? 'Team filter:' : 'Teams filter:'}
|
||
</span>
|
||
<div className="flex flex-wrap gap-2">
|
||
{selectedTeamIds.map(teamId => (
|
||
<span key={teamId} className="bg-blue-100 text-blue-800 text-xs px-2 py-1 rounded-full">
|
||
{teamId}
|
||
<button
|
||
onClick={() => setSelectedTeamIds(selectedTeamIds.filter(id => id !== teamId))}
|
||
className="ml-1 text-blue-600 hover:text-blue-800"
|
||
>
|
||
×
|
||
</button>
|
||
</span>
|
||
))}
|
||
{selectedTeamIds.length > 0 && (
|
||
<button
|
||
onClick={() => setSelectedTeamIds([])}
|
||
className="text-xs text-gray-500 hover:text-gray-700 underline"
|
||
>
|
||
Clear all
|
||
</button>
|
||
)}
|
||
</div>
|
||
</div>
|
||
)}
|
||
|
||
{summary && (
|
||
<div className="grid grid-cols-1 md:grid-cols-4 gap-6 mb-8">
|
||
<div className="bg-white rounded-lg shadow p-6">
|
||
<h3 className="text-sm font-medium text-gray-500">Total Events</h3>
|
||
<p className="text-2xl font-semibold text-gray-900">
|
||
{typeof summary.totalEvents === 'number' ? summary.totalEvents.toLocaleString() : summary.totalEvents}
|
||
</p>
|
||
</div>
|
||
<div className="bg-white rounded-lg shadow p-6">
|
||
<h3 className="text-sm font-medium text-gray-500">Unique Visitors</h3>
|
||
<p className="text-2xl font-semibold text-gray-900">
|
||
{typeof summary.uniqueVisitors === 'number' ? summary.uniqueVisitors.toLocaleString() : summary.uniqueVisitors}
|
||
</p>
|
||
</div>
|
||
<div className="bg-white rounded-lg shadow p-6">
|
||
<h3 className="text-sm font-medium text-gray-500">Total Conversions</h3>
|
||
<p className="text-2xl font-semibold text-gray-900">
|
||
{typeof summary.totalConversions === 'number' ? summary.totalConversions.toLocaleString() : summary.totalConversions}
|
||
</p>
|
||
</div>
|
||
<div className="bg-white rounded-lg shadow p-6">
|
||
<h3 className="text-sm font-medium text-gray-500">Avg. Time Spent</h3>
|
||
<p className="text-2xl font-semibold text-gray-900">
|
||
{summary.averageTimeSpent?.toFixed(1) || '0'}s
|
||
</p>
|
||
</div>
|
||
</div>
|
||
)}
|
||
|
||
<div className="bg-white rounded-lg shadow p-6 mb-8">
|
||
<h2 className="text-lg font-semibold text-gray-900 mb-4">Event Trends</h2>
|
||
<div className="h-96">
|
||
<TimeSeriesChart data={timeSeriesData} />
|
||
</div>
|
||
</div>
|
||
|
||
<div className="mb-8">
|
||
<h2 className="text-lg font-semibold text-gray-900 mb-4">Device Analytics</h2>
|
||
{deviceData && <DevicePieCharts data={deviceData} />}
|
||
</div>
|
||
|
||
<div className="bg-white rounded-lg shadow p-6 mb-8">
|
||
<h2 className="text-lg font-semibold text-gray-900 mb-4">Geographic Distribution</h2>
|
||
<GeoAnalytics data={geoData} />
|
||
</div>
|
||
|
||
{/* 事件列表部分 */}
|
||
<div className="bg-white rounded-lg shadow overflow-hidden mb-8">
|
||
<div className="p-6 border-b border-gray-200">
|
||
<h2 className="text-lg font-semibold text-gray-900 mb-4">Recent Events</h2>
|
||
|
||
<div className="flex items-center space-x-4 mb-4">
|
||
<div className="flex-1">
|
||
<label className="block text-sm font-medium text-gray-500 mb-1">
|
||
Filter by URL ID
|
||
</label>
|
||
<input
|
||
type="text"
|
||
value={urlFilter}
|
||
onChange={e => setUrlFilter(e.target.value)}
|
||
className="w-full px-3 py-2 bg-white border border-gray-300 rounded-md text-sm text-gray-900"
|
||
placeholder="Enter URL ID to filter"
|
||
/>
|
||
</div>
|
||
</div>
|
||
</div>
|
||
|
||
<div className="overflow-x-auto">
|
||
<table className="min-w-full divide-y divide-gray-200">
|
||
<thead className="bg-gray-50">
|
||
<tr>
|
||
<th scope="col" className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||
Time
|
||
</th>
|
||
<th scope="col" className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||
URL ID
|
||
</th>
|
||
<th scope="col" className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||
URL
|
||
</th>
|
||
<th scope="col" className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||
Event Type
|
||
</th>
|
||
<th scope="col" className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||
Visitor ID
|
||
</th>
|
||
<th scope="col" className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||
Referrer
|
||
</th>
|
||
<th scope="col" className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
||
Location
|
||
</th>
|
||
</tr>
|
||
</thead>
|
||
<tbody className="bg-white divide-y divide-gray-200">
|
||
{events.map((event, index) => (
|
||
<tr key={event.event_id || index} className={index % 2 === 0 ? 'bg-white' : 'bg-gray-50'}>
|
||
<td className="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||
{formatDate(event.created_at)}
|
||
</td>
|
||
<td className="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||
{event.url_id}
|
||
</td>
|
||
<td className="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||
<a href={event.url} className="text-blue-600 hover:underline" target="_blank" rel="noopener noreferrer">
|
||
{event.url}
|
||
</a>
|
||
</td>
|
||
<td className="px-6 py-4 whitespace-nowrap text-sm">
|
||
<span className={`px-2 inline-flex text-xs leading-5 font-semibold rounded-full ${
|
||
event.event_type === 'click'
|
||
? 'bg-green-100 text-green-800'
|
||
: 'bg-blue-100 text-blue-800'
|
||
}`}>
|
||
{event.event_type}
|
||
</span>
|
||
</td>
|
||
<td className="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||
{event.visitor_id.substring(0, 8)}...
|
||
</td>
|
||
<td className="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||
{event.referrer || '-'}
|
||
</td>
|
||
<td className="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
||
{event.country && event.city ? `${event.city}, ${event.country}` : (event.country || '-')}
|
||
</td>
|
||
</tr>
|
||
))}
|
||
</tbody>
|
||
</table>
|
||
</div>
|
||
|
||
{/* 表格为空状态 */}
|
||
{!loading && events.length === 0 && (
|
||
<div className="flex justify-center items-center p-8 text-gray-500">
|
||
No events found
|
||
</div>
|
||
)}
|
||
</div>
|
||
</div>
|
||
);
|
||
}
|