feat: hourly heatmap of new posts in Stats Page

This commit is contained in:
2026-01-27 20:26:09 +00:00
parent 2a255fb983
commit 1466b05bde
2 changed files with 86 additions and 0 deletions

View File

@@ -10,13 +10,18 @@ import {
ResponsiveContainer
} from "recharts";
import WordCloud from "../stats/WordCloud";
import ActivityHeatmap from "../stats/ActivityHeatmap";
const StatPage = () => {
const [data, setData] = useState([]);
const [error, setError] = useState(null);
const [loading, setLoading] = useState(true);
const [heatmapData, setHeatmapData] = useState([]);
useEffect(() => {
// Posts per Day
axios
.get("http://localhost:5000/stats/posts_per_day")
.then(res => {
@@ -27,6 +32,18 @@ const StatPage = () => {
setError(err.response?.data?.error || "Failed to load data");
setLoading(false);
});
// Heatmap
axios
.get("http://localhost:5000/stats/heatmap")
.then(res => {
setHeatmapData(res.data);
setLoading(false);
})
.catch(err => {
setError(err.response?.data?.error || "Failed to load heatmap data");
setLoading(false);
});
}, []);
if (loading) return <p>Loading posts per day</p>;
@@ -52,6 +69,10 @@ const StatPage = () => {
<h2>Word Cloud</h2>
<WordCloud />
<h2>Heatmap</h2>
<ActivityHeatmap data={heatmapData} />
</div>
);
}

View File

@@ -0,0 +1,65 @@
import { ResponsiveHeatMap } from "@nivo/heatmap";
type ApiRow = Record<string, number>;
type ActivityHeatmapProps = {
data: ApiRow[];
};
type ChartPoint = {
x: string;
y: number;
};
type ChartSeries = {
id: string;
data: ChartPoint[];
};
const DAYS = [
"Monday",
"Tuesday",
"Wednesday",
"Thursday",
"Friday",
"Saturday",
"Sunday",
];
const hourLabel = (h: number) =>
`${h.toString().padStart(2, "0")}:00`;
const convertWeeklyData = (dataset: ApiRow[]): ChartSeries[] => {
return dataset.map((dayData, index) => ({
id: DAYS[index] ?? `Day ${index + 1}`,
data: Object.entries(dayData)
.sort(([a], [b]) => Number(a) - Number(b)) // ensure 0 → 23
.map(([hour, value]) => ({
x: hourLabel(Number(hour)),
y: value,
})),
}));
};
const ActivityHeatmap = ({ data }: ActivityHeatmapProps) => {
const convertedData = convertWeeklyData(data);
return (
<ResponsiveHeatMap /* or HeatMap for fixed dimensions */
data={convertedData}
valueFormat=">-.2s"
axisTop={{ tickRotation: -90 }}
axisRight={{ legend: 'Weekday', legendOffset: 70 }}
axisLeft={{ legend: 'Weekday', legendOffset: -72 }}
colors={{
type: 'diverging',
scheme: 'red_yellow_blue',
divergeAt: 0.3,
minValue: 0,
maxValue: 20
}}
/>
)
}
export default ActivityHeatmap;