arbret/frontend/app/admin/price-history/page.tsx
counterweight b86b506d72
Refactor frontend: Add reusable hooks and components
- Created useAsyncData hook: Eliminates repetitive data fetching boilerplate
  - Handles loading, error, and data state automatically
  - Supports enabled/disabled fetching
  - Provides refetch function

- Created PageLayout component: Standardizes page structure
  - Handles loading state, authorization checks, header, error display
  - Reduces ~10 lines of boilerplate per page

- Created useMutation hook: Simplifies action handling
  - Manages loading state and errors for mutations
  - Supports success/error callbacks
  - Used for cancel, create, revoke actions

- Created ErrorDisplay component: Standardizes error UI
  - Consistent error banner styling across app
  - Integrated into PageLayout

- Created useForm hook: Foundation for form state management
  - Handles form data, validation, dirty checking
  - Ready for future form migrations

- Migrated pages to use new patterns:
  - invites/page.tsx: useAsyncData + PageLayout
  - trades/page.tsx: useAsyncData + PageLayout + useMutation
  - trades/[id]/page.tsx: useAsyncData
  - admin/price-history/page.tsx: useAsyncData + PageLayout
  - admin/invites/page.tsx: useMutation for create/revoke

Benefits:
- ~40% reduction in boilerplate code
- Consistent patterns across pages
- Easier to maintain and extend
- Better type safety

All tests passing (32 frontend, 33 e2e)
2025-12-25 21:30:35 +01:00

240 lines
6.5 KiB
TypeScript

"use client";
import { useState } from "react";
import { Permission } from "../../auth-context";
import { adminApi } from "../../api";
import { sharedStyles } from "../../styles/shared";
import { PageLayout } from "../../components/PageLayout";
import { useRequireAuth } from "../../hooks/useRequireAuth";
import { useAsyncData } from "../../hooks/useAsyncData";
export default function AdminPriceHistoryPage() {
const { user, isLoading, isAuthorized } = useRequireAuth({
requiredPermission: Permission.VIEW_AUDIT,
fallbackRedirect: "/",
});
const {
data: records = [],
isLoading: isLoadingData,
error,
refetch: fetchRecords,
} = useAsyncData(() => adminApi.getPriceHistory(), {
enabled: !!user && isAuthorized,
initialData: [],
});
const [isFetching, setIsFetching] = useState(false);
const handleFetchNow = async () => {
setIsFetching(true);
try {
await adminApi.fetchPrice();
await fetchRecords();
} catch (err) {
console.error("Failed to fetch price:", err);
} finally {
setIsFetching(false);
}
};
const formatDate = (dateStr: string) => {
return new Date(dateStr).toLocaleString();
};
const formatPrice = (price: number) => {
return new Intl.NumberFormat("en-US", {
style: "currency",
currency: "EUR",
minimumFractionDigits: 2,
maximumFractionDigits: 2,
}).format(price);
};
return (
<PageLayout
currentPage="admin-price-history"
isLoading={isLoading}
isAuthorized={!!user && isAuthorized}
error={error}
contentStyle={styles.content}
>
<div style={styles.tableCard}>
<div style={styles.tableHeader}>
<h2 style={styles.tableTitle}>Bitcoin Price History</h2>
<div style={styles.headerActions}>
<span style={styles.totalCount}>{records.length} records</span>
<button onClick={fetchRecords} style={styles.refreshBtn} disabled={isLoadingData}>
Refresh
</button>
<button onClick={handleFetchNow} style={styles.fetchBtn} disabled={isFetching}>
{isFetching ? "Fetching..." : "Fetch Now"}
</button>
</div>
</div>
<div style={styles.tableWrapper}>
<table style={styles.table}>
<thead>
<tr>
<th style={styles.th}>Source</th>
<th style={styles.th}>Pair</th>
<th style={styles.th}>Price</th>
<th style={styles.th}>Timestamp</th>
</tr>
</thead>
<tbody>
{error && (
<tr>
<td colSpan={4} style={styles.errorRow}>
{error}
</td>
</tr>
)}
{!error && isLoadingData && (
<tr>
<td colSpan={4} style={styles.emptyRow}>
Loading...
</td>
</tr>
)}
{!error && !isLoadingData && records.length === 0 && (
<tr>
<td colSpan={4} style={styles.emptyRow}>
No price records yet. Click &quot;Fetch Now&quot; to get the current price.
</td>
</tr>
)}
{!error &&
!isLoadingData &&
records.map((record) => (
<tr key={record.id} style={styles.tr}>
<td style={styles.td}>{record.source}</td>
<td style={styles.td}>{record.pair}</td>
<td style={styles.tdPrice}>{formatPrice(record.price)}</td>
<td style={styles.tdDate}>{formatDate(record.timestamp)}</td>
</tr>
))}
</tbody>
</table>
</div>
</div>
</PageLayout>
);
}
const pageStyles: Record<string, React.CSSProperties> = {
content: {
flex: 1,
padding: "2rem",
overflowY: "auto",
},
tableCard: {
background: "rgba(255, 255, 255, 0.03)",
backdropFilter: "blur(10px)",
border: "1px solid rgba(255, 255, 255, 0.08)",
borderRadius: "20px",
padding: "1.5rem",
boxShadow: "0 25px 50px -12px rgba(0, 0, 0, 0.5)",
maxWidth: "900px",
margin: "0 auto",
},
tableHeader: {
display: "flex",
justifyContent: "space-between",
alignItems: "center",
marginBottom: "1rem",
flexWrap: "wrap",
gap: "1rem",
},
tableTitle: {
fontFamily: "'Instrument Serif', Georgia, serif",
fontSize: "1.5rem",
fontWeight: 400,
color: "#fff",
margin: 0,
},
headerActions: {
display: "flex",
alignItems: "center",
gap: "1rem",
},
totalCount: {
fontFamily: "'DM Sans', system-ui, sans-serif",
fontSize: "0.875rem",
color: "rgba(255, 255, 255, 0.4)",
},
refreshBtn: {
fontFamily: "'DM Sans', system-ui, sans-serif",
fontSize: "0.875rem",
padding: "0.5rem 1rem",
background: "rgba(255, 255, 255, 0.08)",
border: "1px solid rgba(255, 255, 255, 0.15)",
borderRadius: "8px",
color: "rgba(255, 255, 255, 0.8)",
cursor: "pointer",
},
fetchBtn: {
fontFamily: "'DM Sans', system-ui, sans-serif",
fontSize: "0.875rem",
padding: "0.5rem 1rem",
background: "linear-gradient(135deg, #a78bfa, #8b5cf6)",
border: "none",
borderRadius: "8px",
color: "#fff",
cursor: "pointer",
fontWeight: 500,
},
tableWrapper: {
overflowX: "auto",
},
table: {
width: "100%",
borderCollapse: "collapse",
fontFamily: "'DM Sans', system-ui, sans-serif",
},
th: {
textAlign: "left",
padding: "0.75rem 1rem",
fontSize: "0.75rem",
fontWeight: 600,
color: "rgba(255, 255, 255, 0.4)",
textTransform: "uppercase",
letterSpacing: "0.05em",
borderBottom: "1px solid rgba(255, 255, 255, 0.08)",
},
tr: {
borderBottom: "1px solid rgba(255, 255, 255, 0.04)",
},
td: {
padding: "0.875rem 1rem",
fontSize: "0.875rem",
color: "rgba(255, 255, 255, 0.7)",
},
tdPrice: {
padding: "0.875rem 1rem",
fontSize: "1rem",
color: "#fbbf24",
fontWeight: 600,
fontFamily: "'DM Mono', monospace",
},
tdDate: {
padding: "0.875rem 1rem",
fontSize: "0.75rem",
color: "rgba(255, 255, 255, 0.4)",
},
emptyRow: {
padding: "2rem 1rem",
textAlign: "center",
color: "rgba(255, 255, 255, 0.3)",
fontSize: "0.875rem",
},
errorRow: {
padding: "2rem 1rem",
textAlign: "center",
color: "#f87171",
fontSize: "0.875rem",
},
};
const styles = { ...sharedStyles, ...pageStyles };