upgrade navigation and route prefetch responsiveness

This commit is contained in:
2026-03-01 20:45:08 -05:00
parent d6895f185f
commit dc84f34fe9
17 changed files with 1208 additions and 142 deletions

View File

@@ -1,5 +1,6 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import Link from 'next/link'; import Link from 'next/link';
import { Suspense, useCallback, useEffect, useMemo, useState } from 'react'; import { Suspense, useCallback, useEffect, useMemo, useState } from 'react';
import { format } from 'date-fns'; import { format } from 'date-fns';
@@ -19,7 +20,7 @@ import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input'; import { Input } from '@/components/ui/input';
import { Panel } from '@/components/ui/panel'; import { Panel } from '@/components/ui/panel';
import { useAuthGuard } from '@/hooks/use-auth-guard'; import { useAuthGuard } from '@/hooks/use-auth-guard';
import { getCompanyAnalysis } from '@/lib/api'; import { useLinkPrefetch } from '@/hooks/use-link-prefetch';
import { import {
asNumber, asNumber,
formatCurrency, formatCurrency,
@@ -27,6 +28,8 @@ import {
formatPercent, formatPercent,
type NumberScaleUnit type NumberScaleUnit
} from '@/lib/format'; } from '@/lib/format';
import { queryKeys } from '@/lib/query/keys';
import { companyAnalysisQueryOptions } from '@/lib/query/options';
import type { CompanyAnalysis } from '@/lib/types'; import type { CompanyAnalysis } from '@/lib/types';
type FinancialPeriodFilter = 'quarterlyAndFiscalYearEnd' | 'quarterlyOnly' | 'fiscalYearEndOnly'; type FinancialPeriodFilter = 'quarterlyAndFiscalYearEnd' | 'quarterlyOnly' | 'fiscalYearEndOnly';
@@ -53,6 +56,12 @@ const FINANCIAL_VALUE_SCALE_OPTIONS: Array<{ value: NumberScaleUnit; label: stri
{ value: 'billions', label: 'Billions (B)' } { value: 'billions', label: 'Billions (B)' }
]; ];
const CHART_TEXT = '#e8fff8';
const CHART_MUTED = '#b4ced9';
const CHART_GRID = 'rgba(126, 217, 255, 0.24)';
const CHART_TOOLTIP_BG = 'rgba(6, 17, 24, 0.95)';
const CHART_TOOLTIP_BORDER = 'rgba(123, 255, 217, 0.45)';
function formatShortDate(value: string) { function formatShortDate(value: string) {
return format(new Date(value), 'MMM yyyy'); return format(new Date(value), 'MMM yyyy');
} }
@@ -109,6 +118,8 @@ export default function AnalysisPage() {
function AnalysisPageContent() { function AnalysisPageContent() {
const { isPending, isAuthenticated } = useAuthGuard(); const { isPending, isAuthenticated } = useAuthGuard();
const searchParams = useSearchParams(); const searchParams = useSearchParams();
const queryClient = useQueryClient();
const { prefetchReport, prefetchResearchTicker } = useLinkPrefetch();
const [tickerInput, setTickerInput] = useState('MSFT'); const [tickerInput, setTickerInput] = useState('MSFT');
const [ticker, setTicker] = useState('MSFT'); const [ticker, setTicker] = useState('MSFT');
@@ -134,11 +145,16 @@ function AnalysisPageContent() {
}, [searchParams]); }, [searchParams]);
const loadAnalysis = useCallback(async (symbol: string) => { const loadAnalysis = useCallback(async (symbol: string) => {
setLoading(true); const options = companyAnalysisQueryOptions(symbol);
if (!queryClient.getQueryData(options.queryKey)) {
setLoading(true);
}
setError(null); setError(null);
try { try {
const response = await getCompanyAnalysis(symbol); const response = await queryClient.ensureQueryData(options);
setAnalysis(response.analysis); setAnalysis(response.analysis);
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Unable to load company analysis'); setError(err instanceof Error ? err.message : 'Unable to load company analysis');
@@ -146,7 +162,7 @@ function AnalysisPageContent() {
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, []); }, [queryClient]);
useEffect(() => { useEffect(() => {
if (!isPending && isAuthenticated) { if (!isPending && isAuthenticated) {
@@ -199,8 +215,15 @@ function AnalysisPageContent() {
<AppShell <AppShell
title="Company Analysis" title="Company Analysis"
subtitle="Research a single ticker across pricing, 10-K/10-Q financials, qualitative filings, and generated AI reports." subtitle="Research a single ticker across pricing, 10-K/10-Q financials, qualitative filings, and generated AI reports."
activeTicker={analysis?.company.ticker ?? ticker}
actions={( actions={(
<Button variant="secondary" onClick={() => void loadAnalysis(ticker)}> <Button
variant="secondary"
onClick={() => {
void queryClient.invalidateQueries({ queryKey: queryKeys.companyAnalysis(ticker.trim().toUpperCase()) });
void loadAnalysis(ticker);
}}
>
<RefreshCcw className="size-4" /> <RefreshCcw className="size-4" />
Refresh Refresh
</Button> </Button>
@@ -229,7 +252,12 @@ function AnalysisPageContent() {
Analyze Analyze
</Button> </Button>
{analysis ? ( {analysis ? (
<Link href={`/filings?ticker=${analysis.company.ticker}`} className="text-sm text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"> <Link
href={`/filings?ticker=${analysis.company.ticker}`}
onMouseEnter={() => prefetchResearchTicker(analysis.company.ticker)}
onFocus={() => prefetchResearchTicker(analysis.company.ticker)}
className="text-sm text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
>
Open filing stream Open filing stream
</Link> </Link>
) : null} ) : null}
@@ -277,10 +305,35 @@ function AnalysisPageContent() {
<div className="h-[320px]"> <div className="h-[320px]">
<ResponsiveContainer width="100%" height="100%"> <ResponsiveContainer width="100%" height="100%">
<LineChart data={priceSeries}> <LineChart data={priceSeries}>
<CartesianGrid strokeDasharray="2 2" stroke="rgba(126, 217, 255, 0.2)" /> <CartesianGrid strokeDasharray="2 2" stroke={CHART_GRID} />
<XAxis dataKey="label" minTickGap={32} stroke="#8cb6c5" fontSize={12} /> <XAxis
<YAxis stroke="#8cb6c5" fontSize={12} tickFormatter={(value: number) => `$${value.toFixed(0)}`} /> dataKey="label"
<Tooltip formatter={(value: number | string | undefined) => formatCurrency(value)} /> minTickGap={32}
stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
/>
<YAxis
stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
tickFormatter={(value: number) => `$${value.toFixed(0)}`}
/>
<Tooltip
formatter={(value: number | string | undefined) => formatCurrency(value)}
contentStyle={{
backgroundColor: CHART_TOOLTIP_BG,
border: `1px solid ${CHART_TOOLTIP_BORDER}`,
borderRadius: '0.75rem'
}}
labelStyle={{ color: CHART_TEXT }}
itemStyle={{ color: CHART_TEXT }}
cursor={{ stroke: 'rgba(104, 255, 213, 0.35)', strokeWidth: 1 }}
/>
<Line type="monotone" dataKey="close" stroke="#68ffd5" strokeWidth={2} dot={false} /> <Line type="monotone" dataKey="close" stroke="#68ffd5" strokeWidth={2} dot={false} />
</LineChart> </LineChart>
</ResponsiveContainer> </ResponsiveContainer>
@@ -432,6 +485,8 @@ function AnalysisPageContent() {
<p className="text-xs text-[color:var(--terminal-muted)]">{report.accessionNumber}</p> <p className="text-xs text-[color:var(--terminal-muted)]">{report.accessionNumber}</p>
<Link <Link
href={`/analysis/reports/${analysis.company.ticker}/${encodeURIComponent(report.accessionNumber)}`} href={`/analysis/reports/${analysis.company.ticker}/${encodeURIComponent(report.accessionNumber)}`}
onMouseEnter={() => prefetchReport(analysis.company.ticker, report.accessionNumber)}
onFocus={() => prefetchReport(analysis.company.ticker, report.accessionNumber)}
className="text-xs uppercase tracking-[0.12em] text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]" className="text-xs uppercase tracking-[0.12em] text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
> >
Open summary Open summary

View File

@@ -1,5 +1,6 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import Link from 'next/link'; import Link from 'next/link';
import { useCallback, useEffect, useMemo, useState } from 'react'; import { useCallback, useEffect, useMemo, useState } from 'react';
import { format } from 'date-fns'; import { format } from 'date-fns';
@@ -7,7 +8,9 @@ import { ArrowLeft, BrainCircuit, RefreshCcw } from 'lucide-react';
import { useParams } from 'next/navigation'; import { useParams } from 'next/navigation';
import { AppShell } from '@/components/shell/app-shell'; import { AppShell } from '@/components/shell/app-shell';
import { useAuthGuard } from '@/hooks/use-auth-guard'; import { useAuthGuard } from '@/hooks/use-auth-guard';
import { getCompanyAiReport } from '@/lib/api'; import { useLinkPrefetch } from '@/hooks/use-link-prefetch';
import { queryKeys } from '@/lib/query/keys';
import { aiReportQueryOptions } from '@/lib/query/options';
import type { CompanyAiReportDetail } from '@/lib/types'; import type { CompanyAiReportDetail } from '@/lib/types';
import { Button } from '@/components/ui/button'; import { Button } from '@/components/ui/button';
import { Panel } from '@/components/ui/panel'; import { Panel } from '@/components/ui/panel';
@@ -25,6 +28,8 @@ function formatFilingDate(value: string) {
export default function AnalysisReportPage() { export default function AnalysisReportPage() {
const { isPending, isAuthenticated } = useAuthGuard(); const { isPending, isAuthenticated } = useAuthGuard();
const params = useParams<{ ticker: string; accessionNumber: string }>(); const params = useParams<{ ticker: string; accessionNumber: string }>();
const queryClient = useQueryClient();
const { prefetchResearchTicker } = useLinkPrefetch();
const tickerFromRoute = useMemo(() => { const tickerFromRoute = useMemo(() => {
const value = typeof params.ticker === 'string' ? params.ticker : ''; const value = typeof params.ticker === 'string' ? params.ticker : '';
@@ -48,11 +53,16 @@ export default function AnalysisReportPage() {
return; return;
} }
setLoading(true); const options = aiReportQueryOptions(accessionNumber);
if (!queryClient.getQueryData(options.queryKey)) {
setLoading(true);
}
setError(null); setError(null);
try { try {
const response = await getCompanyAiReport(accessionNumber); const response = await queryClient.ensureQueryData(options);
setReport(response.report); setReport(response.report);
} catch (err) { } catch (err) {
setReport(null); setReport(null);
@@ -60,7 +70,7 @@ export default function AnalysisReportPage() {
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, [accessionNumber]); }, [accessionNumber, queryClient]);
useEffect(() => { useEffect(() => {
if (!isPending && isAuthenticated) { if (!isPending && isAuthenticated) {
@@ -73,13 +83,30 @@ export default function AnalysisReportPage() {
} }
const resolvedTicker = report?.ticker ?? tickerFromRoute; const resolvedTicker = report?.ticker ?? tickerFromRoute;
const analysisHref = resolvedTicker ? `/analysis?ticker=${encodeURIComponent(resolvedTicker)}` : '/analysis';
const filingsHref = resolvedTicker ? `/filings?ticker=${encodeURIComponent(resolvedTicker)}` : '/filings';
return ( return (
<AppShell <AppShell
title="AI Summary" title="AI Summary"
subtitle={`Detailed filing analysis${resolvedTicker ? ` for ${resolvedTicker}` : ''}.`} subtitle={`Detailed filing analysis${resolvedTicker ? ` for ${resolvedTicker}` : ''}.`}
activeTicker={resolvedTicker}
breadcrumbs={[
{ label: 'Analysis', href: analysisHref },
{ label: 'Reports', href: analysisHref },
{ label: resolvedTicker || 'Summary' }
]}
actions={( actions={(
<Button variant="secondary" onClick={() => void loadReport()} disabled={loading}> <Button
variant="secondary"
onClick={() => {
if (accessionNumber) {
void queryClient.invalidateQueries({ queryKey: queryKeys.report(accessionNumber) });
}
void loadReport();
}}
disabled={loading}
>
<RefreshCcw className="size-4" /> <RefreshCcw className="size-4" />
Refresh Refresh
</Button> </Button>
@@ -88,14 +115,18 @@ export default function AnalysisReportPage() {
<Panel> <Panel>
<div className="flex flex-wrap items-center gap-3"> <div className="flex flex-wrap items-center gap-3">
<Link <Link
href={`/analysis?ticker=${resolvedTicker}`} href={analysisHref}
onMouseEnter={() => prefetchResearchTicker(resolvedTicker)}
onFocus={() => prefetchResearchTicker(resolvedTicker)}
className="inline-flex items-center gap-1 text-xs uppercase tracking-[0.12em] text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]" className="inline-flex items-center gap-1 text-xs uppercase tracking-[0.12em] text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
> >
<ArrowLeft className="size-3" /> <ArrowLeft className="size-3" />
Back to analysis Back to analysis
</Link> </Link>
<Link <Link
href={`/filings?ticker=${resolvedTicker}`} href={filingsHref}
onMouseEnter={() => prefetchResearchTicker(resolvedTicker)}
onFocus={() => prefetchResearchTicker(resolvedTicker)}
className="inline-flex items-center gap-1 text-xs uppercase tracking-[0.12em] text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]" className="inline-flex items-center gap-1 text-xs uppercase tracking-[0.12em] text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
> >
<ArrowLeft className="size-3" /> <ArrowLeft className="size-3" />

View File

@@ -1,5 +1,6 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import Link from 'next/link'; import Link from 'next/link';
import { useCallback, useEffect, useMemo, useState } from 'react'; import { useCallback, useEffect, useMemo, useState } from 'react';
import { Suspense } from 'react'; import { Suspense } from 'react';
@@ -12,10 +13,13 @@ import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input'; import { Input } from '@/components/ui/input';
import { StatusPill } from '@/components/ui/status-pill'; import { StatusPill } from '@/components/ui/status-pill';
import { useAuthGuard } from '@/hooks/use-auth-guard'; import { useAuthGuard } from '@/hooks/use-auth-guard';
import { useLinkPrefetch } from '@/hooks/use-link-prefetch';
import { useTaskPoller } from '@/hooks/use-task-poller'; import { useTaskPoller } from '@/hooks/use-task-poller';
import { getTask, listFilings, queueFilingAnalysis, queueFilingSync } from '@/lib/api'; import { queueFilingAnalysis, queueFilingSync } from '@/lib/api';
import type { Filing, Task } from '@/lib/types'; import type { Filing, Task } from '@/lib/types';
import { formatCurrencyByScale, type NumberScaleUnit } from '@/lib/format'; import { formatCurrencyByScale, type NumberScaleUnit } from '@/lib/format';
import { queryKeys } from '@/lib/query/keys';
import { filingsQueryOptions, taskQueryOptions } from '@/lib/query/options';
const FINANCIAL_VALUE_SCALE_OPTIONS: Array<{ value: NumberScaleUnit; label: string }> = [ const FINANCIAL_VALUE_SCALE_OPTIONS: Array<{ value: NumberScaleUnit; label: string }> = [
{ value: 'thousands', label: 'Thousands (K)' }, { value: 'thousands', label: 'Thousands (K)' },
@@ -102,6 +106,8 @@ function FilingExternalLink({ href, label }: FilingExternalLinkProps) {
function FilingsPageContent() { function FilingsPageContent() {
const { isPending, isAuthenticated } = useAuthGuard(); const { isPending, isAuthenticated } = useAuthGuard();
const searchParams = useSearchParams(); const searchParams = useSearchParams();
const queryClient = useQueryClient();
const { prefetchReport } = useLinkPrefetch();
const [filings, setFilings] = useState<Filing[]>([]); const [filings, setFilings] = useState<Filing[]>([]);
const [loading, setLoading] = useState(true); const [loading, setLoading] = useState(true);
@@ -123,18 +129,23 @@ function FilingsPageContent() {
}, [searchParams]); }, [searchParams]);
const loadFilings = useCallback(async (ticker?: string) => { const loadFilings = useCallback(async (ticker?: string) => {
setLoading(true); const options = filingsQueryOptions({ ticker, limit: 120 });
if (!queryClient.getQueryData(options.queryKey)) {
setLoading(true);
}
setError(null); setError(null);
try { try {
const response = await listFilings({ ticker, limit: 120 }); const response = await queryClient.ensureQueryData(options);
setFilings(response.filings); setFilings(response.filings);
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Unable to fetch filings'); setError(err instanceof Error ? err.message : 'Unable to fetch filings');
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, []); }, [queryClient]);
useEffect(() => { useEffect(() => {
if (!isPending && isAuthenticated) { if (!isPending && isAuthenticated) {
@@ -146,6 +157,8 @@ function FilingsPageContent() {
taskId: activeTask?.id ?? null, taskId: activeTask?.id ?? null,
onTerminalState: async () => { onTerminalState: async () => {
setActiveTask(null); setActiveTask(null);
void queryClient.invalidateQueries({ queryKey: ['filings'] });
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
await loadFilings(searchTicker || undefined); await loadFilings(searchTicker || undefined);
} }
}); });
@@ -159,8 +172,10 @@ function FilingsPageContent() {
try { try {
const { task } = await queueFilingSync({ ticker: syncTickerInput.trim().toUpperCase(), limit: 20 }); const { task } = await queueFilingSync({ ticker: syncTickerInput.trim().toUpperCase(), limit: 20 });
const latest = await getTask(task.id); const latest = await queryClient.fetchQuery(taskQueryOptions(task.id));
setActiveTask(latest.task); setActiveTask(latest.task);
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: ['filings'] });
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to queue filing sync'); setError(err instanceof Error ? err.message : 'Failed to queue filing sync');
} }
@@ -169,8 +184,10 @@ function FilingsPageContent() {
const triggerAnalysis = async (accessionNumber: string) => { const triggerAnalysis = async (accessionNumber: string) => {
try { try {
const { task } = await queueFilingAnalysis(accessionNumber); const { task } = await queueFilingAnalysis(accessionNumber);
const latest = await getTask(task.id); const latest = await queryClient.fetchQuery(taskQueryOptions(task.id));
setActiveTask(latest.task); setActiveTask(latest.task);
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: ['report'] });
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to queue filing analysis'); setError(err instanceof Error ? err.message : 'Failed to queue filing analysis');
} }
@@ -196,10 +213,18 @@ function FilingsPageContent() {
return ( return (
<AppShell <AppShell
title="Filings Stream" title="Filings"
subtitle="Sync SEC submissions, keep 10-K/10-Q financial snapshots, and analyze qualitative signals from other forms." subtitle="Sync SEC submissions, keep 10-K/10-Q financial snapshots, and analyze qualitative signals from other forms."
activeTicker={searchTicker || null}
actions={( actions={(
<Button variant="secondary" className="w-full sm:w-auto" onClick={() => void loadFilings(searchTicker || undefined)}> <Button
variant="secondary"
className="w-full sm:w-auto"
onClick={() => {
void queryClient.invalidateQueries({ queryKey: queryKeys.filings(searchTicker || null, 120) });
void loadFilings(searchTicker || undefined);
}}
>
<TimerReset className="size-4" /> <TimerReset className="size-4" />
Refresh table Refresh table
</Button> </Button>
@@ -351,6 +376,8 @@ function FilingsPageContent() {
{hasAnalysis ? ( {hasAnalysis ? (
<Link <Link
href={`/analysis/reports/${filing.ticker}/${encodeURIComponent(filing.accession_number)}`} href={`/analysis/reports/${filing.ticker}/${encodeURIComponent(filing.accession_number)}`}
onMouseEnter={() => prefetchReport(filing.ticker, filing.accession_number)}
onFocus={() => prefetchReport(filing.ticker, filing.accession_number)}
className="inline-flex items-center rounded-md border border-[color:var(--line-weak)] px-2 py-1 text-xs text-[color:var(--accent)] transition hover:border-[color:var(--line-strong)] hover:text-[color:var(--accent-strong)]" className="inline-flex items-center rounded-md border border-[color:var(--line-weak)] px-2 py-1 text-xs text-[color:var(--accent)] transition hover:border-[color:var(--line-strong)] hover:text-[color:var(--accent-strong)]"
> >
Open summary Open summary
@@ -419,6 +446,8 @@ function FilingsPageContent() {
{hasAnalysis ? ( {hasAnalysis ? (
<Link <Link
href={`/analysis/reports/${filing.ticker}/${encodeURIComponent(filing.accession_number)}`} href={`/analysis/reports/${filing.ticker}/${encodeURIComponent(filing.accession_number)}`}
onMouseEnter={() => prefetchReport(filing.ticker, filing.accession_number)}
onFocus={() => prefetchReport(filing.ticker, filing.accession_number)}
className="inline-flex items-center rounded-md border border-[color:var(--line-weak)] px-2 py-1 text-xs text-[color:var(--accent)] transition hover:border-[color:var(--line-strong)] hover:text-[color:var(--accent-strong)]" className="inline-flex items-center rounded-md border border-[color:var(--line-weak)] px-2 py-1 text-xs text-[color:var(--accent)] transition hover:border-[color:var(--line-strong)] hover:text-[color:var(--accent-strong)]"
> >
Summary Summary

View File

@@ -1,5 +1,6 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import Link from 'next/link'; import Link from 'next/link';
import { Suspense, useCallback, useEffect, useMemo, useState } from 'react'; import { Suspense, useCallback, useEffect, useMemo, useState } from 'react';
import { format } from 'date-fns'; import { format } from 'date-fns';
@@ -25,12 +26,14 @@ import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input'; import { Input } from '@/components/ui/input';
import { Panel } from '@/components/ui/panel'; import { Panel } from '@/components/ui/panel';
import { useAuthGuard } from '@/hooks/use-auth-guard'; import { useAuthGuard } from '@/hooks/use-auth-guard';
import { getCompanyAnalysis } from '@/lib/api'; import { useLinkPrefetch } from '@/hooks/use-link-prefetch';
import { import {
formatCurrencyByScale, formatCurrencyByScale,
formatPercent, formatPercent,
type NumberScaleUnit type NumberScaleUnit
} from '@/lib/format'; } from '@/lib/format';
import { queryKeys } from '@/lib/query/keys';
import { companyAnalysisQueryOptions } from '@/lib/query/options';
import type { CompanyAnalysis } from '@/lib/types'; import type { CompanyAnalysis } from '@/lib/types';
type StatementPeriodPoint = { type StatementPeriodPoint = {
@@ -76,6 +79,16 @@ const FINANCIAL_VALUE_SCALE_OPTIONS: Array<{ value: NumberScaleUnit; label: stri
{ value: 'billions', label: 'Billions (B)' } { value: 'billions', label: 'Billions (B)' }
]; ];
const CHART_TEXT = '#e8fff8';
const CHART_MUTED = '#b4ced9';
const CHART_GRID = 'rgba(126, 217, 255, 0.24)';
const CHART_TOOLTIP_BG = 'rgba(6, 17, 24, 0.95)';
const CHART_TOOLTIP_BORDER = 'rgba(123, 255, 217, 0.45)';
function renderLegendLabel(value: string) {
return <span style={{ color: CHART_TEXT }}>{value}</span>;
}
function formatShortDate(value: string) { function formatShortDate(value: string) {
const parsed = new Date(value); const parsed = new Date(value);
if (Number.isNaN(parsed.getTime())) { if (Number.isNaN(parsed.getTime())) {
@@ -380,6 +393,8 @@ export default function FinancialsPage() {
function FinancialsPageContent() { function FinancialsPageContent() {
const { isPending, isAuthenticated } = useAuthGuard(); const { isPending, isAuthenticated } = useAuthGuard();
const searchParams = useSearchParams(); const searchParams = useSearchParams();
const queryClient = useQueryClient();
const { prefetchResearchTicker } = useLinkPrefetch();
const [tickerInput, setTickerInput] = useState('MSFT'); const [tickerInput, setTickerInput] = useState('MSFT');
const [ticker, setTicker] = useState('MSFT'); const [ticker, setTicker] = useState('MSFT');
@@ -405,11 +420,16 @@ function FinancialsPageContent() {
}, [searchParams]); }, [searchParams]);
const loadFinancials = useCallback(async (symbol: string) => { const loadFinancials = useCallback(async (symbol: string) => {
setLoading(true); const options = companyAnalysisQueryOptions(symbol);
if (!queryClient.getQueryData(options.queryKey)) {
setLoading(true);
}
setError(null); setError(null);
try { try {
const response = await getCompanyAnalysis(symbol); const response = await queryClient.ensureQueryData(options);
setAnalysis(response.analysis); setAnalysis(response.analysis);
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Unable to load financial history'); setError(err instanceof Error ? err.message : 'Unable to load financial history');
@@ -417,7 +437,7 @@ function FinancialsPageContent() {
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, []); }, [queryClient]);
useEffect(() => { useEffect(() => {
if (!isPending && isAuthenticated) { if (!isPending && isAuthenticated) {
@@ -535,8 +555,15 @@ function FinancialsPageContent() {
<AppShell <AppShell
title="Financials" title="Financials"
subtitle="Explore 10-K and 10-Q fundamentals, profitability, and balance sheet dynamics by ticker." subtitle="Explore 10-K and 10-Q fundamentals, profitability, and balance sheet dynamics by ticker."
activeTicker={analysis?.company.ticker ?? ticker}
actions={( actions={(
<Button variant="secondary" onClick={() => void loadFinancials(ticker)}> <Button
variant="secondary"
onClick={() => {
void queryClient.invalidateQueries({ queryKey: queryKeys.companyAnalysis(ticker.trim().toUpperCase()) });
void loadFinancials(ticker);
}}
>
<RefreshCcw className="size-4" /> <RefreshCcw className="size-4" />
Refresh Refresh
</Button> </Button>
@@ -566,10 +593,20 @@ function FinancialsPageContent() {
</Button> </Button>
{analysis ? ( {analysis ? (
<> <>
<Link href={`/analysis?ticker=${analysis.company.ticker}`} className="text-sm text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"> <Link
href={`/analysis?ticker=${analysis.company.ticker}`}
onMouseEnter={() => prefetchResearchTicker(analysis.company.ticker)}
onFocus={() => prefetchResearchTicker(analysis.company.ticker)}
className="text-sm text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
>
Open full analysis Open full analysis
</Link> </Link>
<Link href={`/filings?ticker=${analysis.company.ticker}`} className="text-sm text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"> <Link
href={`/filings?ticker=${analysis.company.ticker}`}
onMouseEnter={() => prefetchResearchTicker(analysis.company.ticker)}
onFocus={() => prefetchResearchTicker(analysis.company.ticker)}
className="text-sm text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
>
Open filings stream Open filings stream
</Link> </Link>
</> </>
@@ -648,11 +685,36 @@ function FinancialsPageContent() {
<div className="h-[330px]"> <div className="h-[330px]">
<ResponsiveContainer width="100%" height="100%"> <ResponsiveContainer width="100%" height="100%">
<BarChart data={chartSeries}> <BarChart data={chartSeries}>
<CartesianGrid strokeDasharray="2 2" stroke="rgba(126, 217, 255, 0.2)" /> <CartesianGrid strokeDasharray="2 2" stroke={CHART_GRID} />
<XAxis dataKey="label" minTickGap={20} stroke="#8cb6c5" fontSize={12} /> <XAxis
<YAxis stroke="#8cb6c5" fontSize={12} tickFormatter={(value: number) => asAxisCurrencyTick(value, financialValueScale)} /> dataKey="label"
<Tooltip formatter={(value) => asTooltipCurrency(value, financialValueScale)} /> minTickGap={20}
<Legend /> stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
/>
<YAxis
stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
tickFormatter={(value: number) => asAxisCurrencyTick(value, financialValueScale)}
/>
<Tooltip
formatter={(value) => asTooltipCurrency(value, financialValueScale)}
contentStyle={{
backgroundColor: CHART_TOOLTIP_BG,
border: `1px solid ${CHART_TOOLTIP_BORDER}`,
borderRadius: '0.75rem'
}}
labelStyle={{ color: CHART_TEXT }}
itemStyle={{ color: CHART_TEXT }}
cursor={{ fill: 'rgba(104, 255, 213, 0.08)' }}
/>
<Legend wrapperStyle={{ paddingTop: '0.75rem' }} formatter={renderLegendLabel} />
<Bar dataKey="revenue" name="Revenue" fill="#68ffd5" radius={[4, 4, 0, 0]} /> <Bar dataKey="revenue" name="Revenue" fill="#68ffd5" radius={[4, 4, 0, 0]} />
<Bar dataKey="netIncome" name="Net Income" fill="#5fd3ff" radius={[4, 4, 0, 0]} /> <Bar dataKey="netIncome" name="Net Income" fill="#5fd3ff" radius={[4, 4, 0, 0]} />
</BarChart> </BarChart>
@@ -676,11 +738,36 @@ function FinancialsPageContent() {
<stop offset="95%" stopColor="#68ffd5" stopOpacity={0} /> <stop offset="95%" stopColor="#68ffd5" stopOpacity={0} />
</linearGradient> </linearGradient>
</defs> </defs>
<CartesianGrid strokeDasharray="2 2" stroke="rgba(126, 217, 255, 0.2)" /> <CartesianGrid strokeDasharray="2 2" stroke={CHART_GRID} />
<XAxis dataKey="label" minTickGap={20} stroke="#8cb6c5" fontSize={12} /> <XAxis
<YAxis stroke="#8cb6c5" fontSize={12} tickFormatter={(value: number) => asAxisCurrencyTick(value, financialValueScale)} /> dataKey="label"
<Tooltip formatter={(value) => asTooltipCurrency(value, financialValueScale)} /> minTickGap={20}
<Legend /> stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
/>
<YAxis
stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
tickFormatter={(value: number) => asAxisCurrencyTick(value, financialValueScale)}
/>
<Tooltip
formatter={(value) => asTooltipCurrency(value, financialValueScale)}
contentStyle={{
backgroundColor: CHART_TOOLTIP_BG,
border: `1px solid ${CHART_TOOLTIP_BORDER}`,
borderRadius: '0.75rem'
}}
labelStyle={{ color: CHART_TEXT }}
itemStyle={{ color: CHART_TEXT }}
cursor={{ fill: 'rgba(104, 255, 213, 0.08)' }}
/>
<Legend wrapperStyle={{ paddingTop: '0.75rem' }} formatter={renderLegendLabel} />
<Area type="monotone" dataKey="totalAssets" name="Total Assets" stroke="#68ffd5" fill="url(#assetsGradient)" strokeWidth={2} /> <Area type="monotone" dataKey="totalAssets" name="Total Assets" stroke="#68ffd5" fill="url(#assetsGradient)" strokeWidth={2} />
<Line type="monotone" dataKey="cash" name="Cash" stroke="#8bd3ff" strokeWidth={2} dot={false} /> <Line type="monotone" dataKey="cash" name="Cash" stroke="#8bd3ff" strokeWidth={2} dot={false} />
<Line type="monotone" dataKey="debt" name="Debt" stroke="#ffd08a" strokeWidth={2} dot={false} /> <Line type="monotone" dataKey="debt" name="Debt" stroke="#ffd08a" strokeWidth={2} dot={false} />
@@ -701,9 +788,24 @@ function FinancialsPageContent() {
<div className="h-[300px]"> <div className="h-[300px]">
<ResponsiveContainer width="100%" height="100%"> <ResponsiveContainer width="100%" height="100%">
<LineChart data={chartSeries}> <LineChart data={chartSeries}>
<CartesianGrid strokeDasharray="2 2" stroke="rgba(126, 217, 255, 0.2)" /> <CartesianGrid strokeDasharray="2 2" stroke={CHART_GRID} />
<XAxis dataKey="label" minTickGap={20} stroke="#8cb6c5" fontSize={12} /> <XAxis
<YAxis stroke="#8cb6c5" fontSize={12} tickFormatter={(value: number) => `${value.toFixed(0)}%`} /> dataKey="label"
minTickGap={20}
stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
/>
<YAxis
stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
tickFormatter={(value: number) => `${value.toFixed(0)}%`}
/>
<Tooltip <Tooltip
formatter={(value) => { formatter={(value) => {
const normalized = normalizeTooltipValue(value); const normalized = normalizeTooltipValue(value);
@@ -714,8 +816,16 @@ function FinancialsPageContent() {
const numeric = Number(normalized); const numeric = Number(normalized);
return Number.isFinite(numeric) ? `${numeric.toFixed(2)}%` : 'n/a'; return Number.isFinite(numeric) ? `${numeric.toFixed(2)}%` : 'n/a';
}} }}
contentStyle={{
backgroundColor: CHART_TOOLTIP_BG,
border: `1px solid ${CHART_TOOLTIP_BORDER}`,
borderRadius: '0.75rem'
}}
labelStyle={{ color: CHART_TEXT }}
itemStyle={{ color: CHART_TEXT }}
cursor={{ stroke: 'rgba(104, 255, 213, 0.35)', strokeWidth: 1 }}
/> />
<Legend /> <Legend wrapperStyle={{ paddingTop: '0.75rem' }} formatter={renderLegendLabel} />
<Line type="monotone" dataKey="netMargin" name="Net Margin" stroke="#68ffd5" strokeWidth={2} dot={false} connectNulls /> <Line type="monotone" dataKey="netMargin" name="Net Margin" stroke="#68ffd5" strokeWidth={2} dot={false} connectNulls />
<Line type="monotone" dataKey="debtToAssets" name="Debt / Assets" stroke="#ffb980" strokeWidth={2} dot={false} connectNulls /> <Line type="monotone" dataKey="debtToAssets" name="Debt / Assets" stroke="#ffb980" strokeWidth={2} dot={false} connectNulls />
</LineChart> </LineChart>

View File

@@ -1,5 +1,6 @@
import './globals.css'; import './globals.css';
import type { Metadata } from 'next'; import type { Metadata } from 'next';
import { QueryProvider } from '@/components/providers/query-provider';
export const metadata: Metadata = { export const metadata: Metadata = {
title: 'Fiscal Clone', title: 'Fiscal Clone',
@@ -9,7 +10,9 @@ export const metadata: Metadata = {
export default function RootLayout({ children }: { children: React.ReactNode }) { export default function RootLayout({ children }: { children: React.ReactNode }) {
return ( return (
<html lang="en"> <html lang="en">
<body>{children}</body> <body>
<QueryProvider>{children}</QueryProvider>
</body>
</html> </html>
); );
} }

View File

@@ -1,5 +1,6 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import Link from 'next/link'; import Link from 'next/link';
import { useCallback, useEffect, useMemo, useState } from 'react'; import { useCallback, useEffect, useMemo, useState } from 'react';
import { Activity, Bot, RefreshCw, Sparkles } from 'lucide-react'; import { Activity, Bot, RefreshCw, Sparkles } from 'lucide-react';
@@ -10,19 +11,23 @@ import { MetricCard } from '@/components/dashboard/metric-card';
import { TaskFeed } from '@/components/dashboard/task-feed'; import { TaskFeed } from '@/components/dashboard/task-feed';
import { StatusPill } from '@/components/ui/status-pill'; import { StatusPill } from '@/components/ui/status-pill';
import { useAuthGuard } from '@/hooks/use-auth-guard'; import { useAuthGuard } from '@/hooks/use-auth-guard';
import { useLinkPrefetch } from '@/hooks/use-link-prefetch';
import { useTaskPoller } from '@/hooks/use-task-poller'; import { useTaskPoller } from '@/hooks/use-task-poller';
import { import {
getLatestPortfolioInsight,
getPortfolioSummary,
getTask,
listFilings,
listRecentTasks,
listWatchlist,
queuePortfolioInsights, queuePortfolioInsights,
queuePriceRefresh queuePriceRefresh
} from '@/lib/api'; } from '@/lib/api';
import type { PortfolioInsight, PortfolioSummary, Task } from '@/lib/types'; import type { PortfolioInsight, PortfolioSummary, Task } from '@/lib/types';
import { formatCompactCurrency, formatCurrency, formatPercent } from '@/lib/format'; import { formatCompactCurrency, formatCurrency, formatPercent } from '@/lib/format';
import { queryKeys } from '@/lib/query/keys';
import {
filingsQueryOptions,
latestPortfolioInsightQueryOptions,
portfolioSummaryQueryOptions,
recentTasksQueryOptions,
taskQueryOptions,
watchlistQueryOptions
} from '@/lib/query/options';
type DashboardState = { type DashboardState = {
summary: PortfolioSummary; summary: PortfolioSummary;
@@ -48,22 +53,33 @@ const EMPTY_STATE: DashboardState = {
export default function CommandCenterPage() { export default function CommandCenterPage() {
const { isPending, isAuthenticated, session } = useAuthGuard(); const { isPending, isAuthenticated, session } = useAuthGuard();
const queryClient = useQueryClient();
const { prefetchPortfolioSurfaces } = useLinkPrefetch();
const [state, setState] = useState<DashboardState>(EMPTY_STATE); const [state, setState] = useState<DashboardState>(EMPTY_STATE);
const [loading, setLoading] = useState(true); const [loading, setLoading] = useState(true);
const [error, setError] = useState<string | null>(null); const [error, setError] = useState<string | null>(null);
const [activeTaskId, setActiveTaskId] = useState<string | null>(null); const [activeTaskId, setActiveTaskId] = useState<string | null>(null);
const loadData = useCallback(async () => { const loadData = useCallback(async () => {
setLoading(true); const summaryOptions = portfolioSummaryQueryOptions();
const filingsOptions = filingsQueryOptions({ limit: 200 });
const watchlistOptions = watchlistQueryOptions();
const tasksOptions = recentTasksQueryOptions(20);
const insightOptions = latestPortfolioInsightQueryOptions();
if (!queryClient.getQueryData(summaryOptions.queryKey)) {
setLoading(true);
}
setError(null); setError(null);
try { try {
const [summaryRes, filingsRes, watchlistRes, tasksRes, insightRes] = await Promise.all([ const [summaryRes, filingsRes, watchlistRes, tasksRes, insightRes] = await Promise.all([
getPortfolioSummary(), queryClient.ensureQueryData(summaryOptions),
listFilings({ limit: 200 }), queryClient.ensureQueryData(filingsOptions),
listWatchlist(), queryClient.ensureQueryData(watchlistOptions),
listRecentTasks(20), queryClient.ensureQueryData(tasksOptions),
getLatestPortfolioInsight() queryClient.ensureQueryData(insightOptions)
]); ]);
setState({ setState({
@@ -78,7 +94,7 @@ export default function CommandCenterPage() {
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, []); }, [queryClient]);
useEffect(() => { useEffect(() => {
if (!isPending && isAuthenticated) { if (!isPending && isAuthenticated) {
@@ -90,6 +106,10 @@ export default function CommandCenterPage() {
taskId: activeTaskId, taskId: activeTaskId,
onTerminalState: () => { onTerminalState: () => {
setActiveTaskId(null); setActiveTaskId(null);
void queryClient.invalidateQueries({ queryKey: queryKeys.portfolioSummary() });
void queryClient.invalidateQueries({ queryKey: queryKeys.latestPortfolioInsight() });
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: ['filings'] });
void loadData(); void loadData();
} }
}); });
@@ -102,8 +122,10 @@ export default function CommandCenterPage() {
try { try {
const { task } = await queuePriceRefresh(); const { task } = await queuePriceRefresh();
setActiveTaskId(task.id); setActiveTaskId(task.id);
const latest = await getTask(task.id); const latest = await queryClient.fetchQuery(taskQueryOptions(task.id));
setState((prev) => ({ ...prev, tasks: [latest.task, ...prev.tasks] })); setState((prev) => ({ ...prev, tasks: [latest.task, ...prev.tasks] }));
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: queryKeys.portfolioSummary() });
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to queue price refresh'); setError(err instanceof Error ? err.message : 'Failed to queue price refresh');
} }
@@ -117,8 +139,10 @@ export default function CommandCenterPage() {
try { try {
const { task } = await queuePortfolioInsights(); const { task } = await queuePortfolioInsights();
setActiveTaskId(task.id); setActiveTaskId(task.id);
const latest = await getTask(task.id); const latest = await queryClient.fetchQuery(taskQueryOptions(task.id));
setState((prev) => ({ ...prev, tasks: [latest.task, ...prev.tasks] })); setState((prev) => ({ ...prev, tasks: [latest.task, ...prev.tasks] }));
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: queryKeys.latestPortfolioInsight() });
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to queue AI insight'); setError(err instanceof Error ? err.message : 'Failed to queue AI insight');
} }
@@ -211,15 +235,34 @@ export default function CommandCenterPage() {
<p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Financials</p> <p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Financials</p>
<p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Focus on multi-period filing metrics, margins, leverage, and balance sheet composition.</p> <p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Focus on multi-period filing metrics, margins, leverage, and balance sheet composition.</p>
</Link> </Link>
<Link className="rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-4 transition hover:border-[color:var(--line-strong)] hover:bg-[color:var(--panel-bright)]" href="/filings"> <Link
className="rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-4 transition hover:border-[color:var(--line-strong)] hover:bg-[color:var(--panel-bright)]"
href="/filings"
onMouseEnter={() => {
void queryClient.prefetchQuery(filingsQueryOptions({ limit: 120 }));
}}
onFocus={() => {
void queryClient.prefetchQuery(filingsQueryOptions({ limit: 120 }));
}}
>
<p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Filings</p> <p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Filings</p>
<p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Sync SEC filings and trigger AI memo analysis.</p> <p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Sync SEC filings and trigger AI memo analysis.</p>
</Link> </Link>
<Link className="rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-4 transition hover:border-[color:var(--line-strong)] hover:bg-[color:var(--panel-bright)]" href="/portfolio"> <Link
className="rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-4 transition hover:border-[color:var(--line-strong)] hover:bg-[color:var(--panel-bright)]"
href="/portfolio"
onMouseEnter={() => prefetchPortfolioSurfaces()}
onFocus={() => prefetchPortfolioSurfaces()}
>
<p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Portfolio</p> <p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Portfolio</p>
<p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Manage holdings and mark to market in real time.</p> <p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Manage holdings and mark to market in real time.</p>
</Link> </Link>
<Link className="rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-4 transition hover:border-[color:var(--line-strong)] hover:bg-[color:var(--panel-bright)]" href="/watchlist"> <Link
className="rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-4 transition hover:border-[color:var(--line-strong)] hover:bg-[color:var(--panel-bright)]"
href="/watchlist"
onMouseEnter={() => prefetchPortfolioSurfaces()}
onFocus={() => prefetchPortfolioSurfaces()}
>
<p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Watchlist</p> <p className="panel-heading text-xs uppercase text-[color:var(--terminal-muted)]">Watchlist</p>
<p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Track priority tickers for monitoring and ingestion.</p> <p className="mt-2 text-sm text-[color:var(--terminal-bright)]">Track priority tickers for monitoring and ingestion.</p>
</Link> </Link>

View File

@@ -1,7 +1,8 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import { useCallback, useEffect, useMemo, useState } from 'react'; import { useCallback, useEffect, useMemo, useState } from 'react';
import { PieChart, Pie, Cell, Tooltip, ResponsiveContainer, BarChart, CartesianGrid, XAxis, YAxis, Bar } from 'recharts'; import { PieChart, Pie, Cell, Tooltip, Legend, ResponsiveContainer, BarChart, CartesianGrid, XAxis, YAxis, Bar } from 'recharts';
import { BrainCircuit, Plus, RefreshCcw, Trash2 } from 'lucide-react'; import { BrainCircuit, Plus, RefreshCcw, Trash2 } from 'lucide-react';
import { AppShell } from '@/components/shell/app-shell'; import { AppShell } from '@/components/shell/app-shell';
import { Panel } from '@/components/ui/panel'; import { Panel } from '@/components/ui/panel';
@@ -12,16 +13,19 @@ import { useAuthGuard } from '@/hooks/use-auth-guard';
import { useTaskPoller } from '@/hooks/use-task-poller'; import { useTaskPoller } from '@/hooks/use-task-poller';
import { import {
deleteHolding, deleteHolding,
getLatestPortfolioInsight,
getTask,
getPortfolioSummary,
listHoldings,
queuePortfolioInsights, queuePortfolioInsights,
queuePriceRefresh, queuePriceRefresh,
upsertHolding upsertHolding
} from '@/lib/api'; } from '@/lib/api';
import type { Holding, PortfolioInsight, PortfolioSummary, Task } from '@/lib/types'; import type { Holding, PortfolioInsight, PortfolioSummary, Task } from '@/lib/types';
import { asNumber, formatCurrency, formatPercent } from '@/lib/format'; import { asNumber, formatCurrency, formatPercent } from '@/lib/format';
import { queryKeys } from '@/lib/query/keys';
import {
holdingsQueryOptions,
latestPortfolioInsightQueryOptions,
portfolioSummaryQueryOptions,
taskQueryOptions
} from '@/lib/query/options';
type FormState = { type FormState = {
ticker: string; ticker: string;
@@ -31,6 +35,11 @@ type FormState = {
}; };
const CHART_COLORS = ['#6effd8', '#5fd3ff', '#66ffa1', '#8dbbff', '#f4f88f', '#ff9c9c']; const CHART_COLORS = ['#6effd8', '#5fd3ff', '#66ffa1', '#8dbbff', '#f4f88f', '#ff9c9c'];
const CHART_TEXT = '#e8fff8';
const CHART_MUTED = '#b4ced9';
const CHART_GRID = 'rgba(126, 217, 255, 0.24)';
const CHART_TOOLTIP_BG = 'rgba(6, 17, 24, 0.95)';
const CHART_TOOLTIP_BORDER = 'rgba(123, 255, 217, 0.45)';
const EMPTY_SUMMARY: PortfolioSummary = { const EMPTY_SUMMARY: PortfolioSummary = {
positions: 0, positions: 0,
@@ -42,6 +51,7 @@ const EMPTY_SUMMARY: PortfolioSummary = {
export default function PortfolioPage() { export default function PortfolioPage() {
const { isPending, isAuthenticated } = useAuthGuard(); const { isPending, isAuthenticated } = useAuthGuard();
const queryClient = useQueryClient();
const [holdings, setHoldings] = useState<Holding[]>([]); const [holdings, setHoldings] = useState<Holding[]>([]);
const [summary, setSummary] = useState<PortfolioSummary>(EMPTY_SUMMARY); const [summary, setSummary] = useState<PortfolioSummary>(EMPTY_SUMMARY);
@@ -52,14 +62,21 @@ export default function PortfolioPage() {
const [form, setForm] = useState<FormState>({ ticker: '', shares: '', avgCost: '', currentPrice: '' }); const [form, setForm] = useState<FormState>({ ticker: '', shares: '', avgCost: '', currentPrice: '' });
const loadPortfolio = useCallback(async () => { const loadPortfolio = useCallback(async () => {
setLoading(true); const holdingsOptions = holdingsQueryOptions();
const summaryOptions = portfolioSummaryQueryOptions();
const insightOptions = latestPortfolioInsightQueryOptions();
if (!queryClient.getQueryData(summaryOptions.queryKey)) {
setLoading(true);
}
setError(null); setError(null);
try { try {
const [holdingsRes, summaryRes, insightRes] = await Promise.all([ const [holdingsRes, summaryRes, insightRes] = await Promise.all([
listHoldings(), queryClient.ensureQueryData(holdingsOptions),
getPortfolioSummary(), queryClient.ensureQueryData(summaryOptions),
getLatestPortfolioInsight() queryClient.ensureQueryData(insightOptions)
]); ]);
setHoldings(holdingsRes.holdings); setHoldings(holdingsRes.holdings);
@@ -70,7 +87,7 @@ export default function PortfolioPage() {
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, []); }, [queryClient]);
useEffect(() => { useEffect(() => {
if (!isPending && isAuthenticated) { if (!isPending && isAuthenticated) {
@@ -82,6 +99,10 @@ export default function PortfolioPage() {
taskId: activeTask?.id ?? null, taskId: activeTask?.id ?? null,
onTerminalState: async () => { onTerminalState: async () => {
setActiveTask(null); setActiveTask(null);
void queryClient.invalidateQueries({ queryKey: queryKeys.holdings() });
void queryClient.invalidateQueries({ queryKey: queryKeys.portfolioSummary() });
void queryClient.invalidateQueries({ queryKey: queryKeys.latestPortfolioInsight() });
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
await loadPortfolio(); await loadPortfolio();
} }
}); });
@@ -116,6 +137,8 @@ export default function PortfolioPage() {
}); });
setForm({ ticker: '', shares: '', avgCost: '', currentPrice: '' }); setForm({ ticker: '', shares: '', avgCost: '', currentPrice: '' });
void queryClient.invalidateQueries({ queryKey: queryKeys.holdings() });
void queryClient.invalidateQueries({ queryKey: queryKeys.portfolioSummary() });
await loadPortfolio(); await loadPortfolio();
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to save holding'); setError(err instanceof Error ? err.message : 'Failed to save holding');
@@ -125,8 +148,10 @@ export default function PortfolioPage() {
const queueRefresh = async () => { const queueRefresh = async () => {
try { try {
const { task } = await queuePriceRefresh(); const { task } = await queuePriceRefresh();
const latest = await getTask(task.id); const latest = await queryClient.fetchQuery(taskQueryOptions(task.id));
setActiveTask(latest.task); setActiveTask(latest.task);
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: queryKeys.portfolioSummary() });
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Unable to queue price refresh'); setError(err instanceof Error ? err.message : 'Unable to queue price refresh');
} }
@@ -135,8 +160,10 @@ export default function PortfolioPage() {
const queueInsights = async () => { const queueInsights = async () => {
try { try {
const { task } = await queuePortfolioInsights(); const { task } = await queuePortfolioInsights();
const latest = await getTask(task.id); const latest = await queryClient.fetchQuery(taskQueryOptions(task.id));
setActiveTask(latest.task); setActiveTask(latest.task);
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: queryKeys.latestPortfolioInsight() });
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Unable to queue portfolio insights'); setError(err instanceof Error ? err.message : 'Unable to queue portfolio insights');
} }
@@ -148,7 +175,7 @@ export default function PortfolioPage() {
return ( return (
<AppShell <AppShell
title="Portfolio Matrix" title="Portfolio"
subtitle="Position management, market valuation, and AI generated portfolio commentary." subtitle="Position management, market valuation, and AI generated portfolio commentary."
actions={( actions={(
<> <>
@@ -209,7 +236,22 @@ export default function PortfolioPage() {
<Cell key={`${entry.name}-${index}`} fill={CHART_COLORS[index % CHART_COLORS.length]} /> <Cell key={`${entry.name}-${index}`} fill={CHART_COLORS[index % CHART_COLORS.length]} />
))} ))}
</Pie> </Pie>
<Tooltip formatter={(value: number | string | undefined) => formatCurrency(value)} /> <Tooltip
formatter={(value: number | string | undefined) => formatCurrency(value)}
contentStyle={{
backgroundColor: CHART_TOOLTIP_BG,
border: `1px solid ${CHART_TOOLTIP_BORDER}`,
borderRadius: '0.75rem'
}}
labelStyle={{ color: CHART_TEXT }}
itemStyle={{ color: CHART_TEXT }}
/>
<Legend
verticalAlign="bottom"
iconType="circle"
wrapperStyle={{ paddingTop: '0.75rem' }}
formatter={(value) => <span style={{ color: CHART_TEXT }}>{value}</span>}
/>
</PieChart> </PieChart>
</ResponsiveContainer> </ResponsiveContainer>
</div> </div>
@@ -225,10 +267,33 @@ export default function PortfolioPage() {
<div className="h-[300px]"> <div className="h-[300px]">
<ResponsiveContainer width="100%" height="100%"> <ResponsiveContainer width="100%" height="100%">
<BarChart data={performanceData}> <BarChart data={performanceData}>
<CartesianGrid strokeDasharray="2 2" stroke="rgba(126, 217, 255, 0.2)" /> <CartesianGrid strokeDasharray="2 2" stroke={CHART_GRID} />
<XAxis dataKey="name" stroke="#8cb6c5" fontSize={12} /> <XAxis
<YAxis stroke="#8cb6c5" fontSize={12} /> dataKey="name"
<Tooltip formatter={(value: number | string | undefined) => `${asNumber(value).toFixed(2)}%`} /> stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
/>
<YAxis
stroke={CHART_MUTED}
fontSize={12}
axisLine={{ stroke: CHART_MUTED }}
tickLine={{ stroke: CHART_MUTED }}
tick={{ fill: CHART_MUTED }}
/>
<Tooltip
formatter={(value: number | string | undefined) => `${asNumber(value).toFixed(2)}%`}
contentStyle={{
backgroundColor: CHART_TOOLTIP_BG,
border: `1px solid ${CHART_TOOLTIP_BORDER}`,
borderRadius: '0.75rem'
}}
labelStyle={{ color: CHART_TEXT }}
itemStyle={{ color: CHART_TEXT }}
cursor={{ fill: 'rgba(104, 255, 213, 0.08)' }}
/>
<Bar dataKey="value" fill="#68ffd5" radius={[4, 4, 0, 0]} /> <Bar dataKey="value" fill="#68ffd5" radius={[4, 4, 0, 0]} />
</BarChart> </BarChart>
</ResponsiveContainer> </ResponsiveContainer>
@@ -277,6 +342,8 @@ export default function PortfolioPage() {
onClick={async () => { onClick={async () => {
try { try {
await deleteHolding(holding.id); await deleteHolding(holding.id);
void queryClient.invalidateQueries({ queryKey: queryKeys.holdings() });
void queryClient.invalidateQueries({ queryKey: queryKeys.portfolioSummary() });
await loadPortfolio(); await loadPortfolio();
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to delete holding'); setError(err instanceof Error ? err.message : 'Failed to delete holding');

View File

@@ -1,5 +1,6 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import { useCallback, useEffect, useState } from 'react'; import { useCallback, useEffect, useState } from 'react';
import { ArrowRight, Eye, Plus, Trash2 } from 'lucide-react'; import { ArrowRight, Eye, Plus, Trash2 } from 'lucide-react';
import Link from 'next/link'; import Link from 'next/link';
@@ -8,10 +9,13 @@ import { Panel } from '@/components/ui/panel';
import { Button } from '@/components/ui/button'; import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input'; import { Input } from '@/components/ui/input';
import { StatusPill } from '@/components/ui/status-pill'; import { StatusPill } from '@/components/ui/status-pill';
import { useLinkPrefetch } from '@/hooks/use-link-prefetch';
import { useAuthGuard } from '@/hooks/use-auth-guard'; import { useAuthGuard } from '@/hooks/use-auth-guard';
import { useTaskPoller } from '@/hooks/use-task-poller'; import { useTaskPoller } from '@/hooks/use-task-poller';
import { deleteWatchlistItem, getTask, listWatchlist, queueFilingSync, upsertWatchlistItem } from '@/lib/api'; import { deleteWatchlistItem, queueFilingSync, upsertWatchlistItem } from '@/lib/api';
import type { Task, WatchlistItem } from '@/lib/types'; import type { Task, WatchlistItem } from '@/lib/types';
import { queryKeys } from '@/lib/query/keys';
import { taskQueryOptions, watchlistQueryOptions } from '@/lib/query/options';
type FormState = { type FormState = {
ticker: string; ticker: string;
@@ -21,6 +25,8 @@ type FormState = {
export default function WatchlistPage() { export default function WatchlistPage() {
const { isPending, isAuthenticated } = useAuthGuard(); const { isPending, isAuthenticated } = useAuthGuard();
const queryClient = useQueryClient();
const { prefetchResearchTicker } = useLinkPrefetch();
const [items, setItems] = useState<WatchlistItem[]>([]); const [items, setItems] = useState<WatchlistItem[]>([]);
const [loading, setLoading] = useState(true); const [loading, setLoading] = useState(true);
@@ -29,18 +35,23 @@ export default function WatchlistPage() {
const [form, setForm] = useState<FormState>({ ticker: '', companyName: '', sector: '' }); const [form, setForm] = useState<FormState>({ ticker: '', companyName: '', sector: '' });
const loadWatchlist = useCallback(async () => { const loadWatchlist = useCallback(async () => {
setLoading(true); const options = watchlistQueryOptions();
if (!queryClient.getQueryData(options.queryKey)) {
setLoading(true);
}
setError(null); setError(null);
try { try {
const response = await listWatchlist(); const response = await queryClient.ensureQueryData(options);
setItems(response.items); setItems(response.items);
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to load watchlist'); setError(err instanceof Error ? err.message : 'Failed to load watchlist');
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, []); }, [queryClient]);
useEffect(() => { useEffect(() => {
if (!isPending && isAuthenticated) { if (!isPending && isAuthenticated) {
@@ -52,6 +63,8 @@ export default function WatchlistPage() {
taskId: activeTask?.id ?? null, taskId: activeTask?.id ?? null,
onTerminalState: () => { onTerminalState: () => {
setActiveTask(null); setActiveTask(null);
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
void queryClient.invalidateQueries({ queryKey: ['filings'] });
} }
}); });
@@ -68,6 +81,7 @@ export default function WatchlistPage() {
}); });
setForm({ ticker: '', companyName: '', sector: '' }); setForm({ ticker: '', companyName: '', sector: '' });
void queryClient.invalidateQueries({ queryKey: queryKeys.watchlist() });
await loadWatchlist(); await loadWatchlist();
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to save watchlist item'); setError(err instanceof Error ? err.message : 'Failed to save watchlist item');
@@ -77,8 +91,9 @@ export default function WatchlistPage() {
const queueSync = async (ticker: string) => { const queueSync = async (ticker: string) => {
try { try {
const { task } = await queueFilingSync({ ticker, limit: 20 }); const { task } = await queueFilingSync({ ticker, limit: 20 });
const latest = await getTask(task.id); const latest = await queryClient.fetchQuery(taskQueryOptions(task.id));
setActiveTask(latest.task); setActiveTask(latest.task);
void queryClient.invalidateQueries({ queryKey: queryKeys.recentTasks(20) });
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : `Failed to queue sync for ${ticker}`); setError(err instanceof Error ? err.message : `Failed to queue sync for ${ticker}`);
} }
@@ -128,6 +143,8 @@ export default function WatchlistPage() {
</Button> </Button>
<Link <Link
href={`/filings?ticker=${item.ticker}`} href={`/filings?ticker=${item.ticker}`}
onMouseEnter={() => prefetchResearchTicker(item.ticker)}
onFocus={() => prefetchResearchTicker(item.ticker)}
className="inline-flex items-center gap-1 text-xs text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]" className="inline-flex items-center gap-1 text-xs text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
> >
Open stream Open stream
@@ -135,6 +152,8 @@ export default function WatchlistPage() {
</Link> </Link>
<Link <Link
href={`/analysis?ticker=${item.ticker}`} href={`/analysis?ticker=${item.ticker}`}
onMouseEnter={() => prefetchResearchTicker(item.ticker)}
onFocus={() => prefetchResearchTicker(item.ticker)}
className="inline-flex items-center gap-1 text-xs text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]" className="inline-flex items-center gap-1 text-xs text-[color:var(--accent)] hover:text-[color:var(--accent-strong)]"
> >
Analyze Analyze
@@ -146,6 +165,7 @@ export default function WatchlistPage() {
onClick={async () => { onClick={async () => {
try { try {
await deleteWatchlistItem(item.id); await deleteWatchlistItem(item.id);
void queryClient.invalidateQueries({ queryKey: queryKeys.watchlist() });
await loadWatchlist(); await loadWatchlist();
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'Failed to remove symbol'); setError(err instanceof Error ? err.message : 'Failed to remove symbol');

View File

@@ -9,6 +9,7 @@
"@elysiajs/eden": "^1.4.8", "@elysiajs/eden": "^1.4.8",
"@libsql/client": "^0.17.0", "@libsql/client": "^0.17.0",
"@tailwindcss/postcss": "^4.2.1", "@tailwindcss/postcss": "^4.2.1",
"@tanstack/react-query": "^5.90.21",
"ai": "^6.0.104", "ai": "^6.0.104",
"better-auth": "^1.4.19", "better-auth": "^1.4.19",
"clsx": "^2.1.1", "clsx": "^2.1.1",
@@ -515,6 +516,10 @@
"@tailwindcss/postcss": ["@tailwindcss/postcss@4.2.1", "", { "dependencies": { "@alloc/quick-lru": "^5.2.0", "@tailwindcss/node": "4.2.1", "@tailwindcss/oxide": "4.2.1", "postcss": "^8.5.6", "tailwindcss": "4.2.1" } }, "sha512-OEwGIBnXnj7zJeonOh6ZG9woofIjGrd2BORfvE5p9USYKDCZoQmfqLcfNiRWoJlRWLdNPn2IgVZuWAOM4iTYMw=="], "@tailwindcss/postcss": ["@tailwindcss/postcss@4.2.1", "", { "dependencies": { "@alloc/quick-lru": "^5.2.0", "@tailwindcss/node": "4.2.1", "@tailwindcss/oxide": "4.2.1", "postcss": "^8.5.6", "tailwindcss": "4.2.1" } }, "sha512-OEwGIBnXnj7zJeonOh6ZG9woofIjGrd2BORfvE5p9USYKDCZoQmfqLcfNiRWoJlRWLdNPn2IgVZuWAOM4iTYMw=="],
"@tanstack/query-core": ["@tanstack/query-core@5.90.20", "", {}, "sha512-OMD2HLpNouXEfZJWcKeVKUgQ5n+n3A2JFmBaScpNDUqSrQSjiveC7dKMe53uJUg1nDG16ttFPz2xfilz6i2uVg=="],
"@tanstack/react-query": ["@tanstack/react-query@5.90.21", "", { "dependencies": { "@tanstack/query-core": "5.90.20" }, "peerDependencies": { "react": "^18 || ^19" } }, "sha512-0Lu6y5t+tvlTJMTO7oh5NSpJfpg/5D41LlThfepTixPYkJ0sE2Jj0m0f6yYqujBwIXlId87e234+MxG3D3g7kg=="],
"@tokenizer/inflate": ["@tokenizer/inflate@0.4.1", "", { "dependencies": { "debug": "^4.4.3", "token-types": "^6.1.1" } }, "sha512-2mAv+8pkG6GIZiF1kNg1jAjh27IDxEPKwdGul3snfztFerfPGI1LjDezZp3i7BElXompqEtPmoPx6c2wgtWsOA=="], "@tokenizer/inflate": ["@tokenizer/inflate@0.4.1", "", { "dependencies": { "debug": "^4.4.3", "token-types": "^6.1.1" } }, "sha512-2mAv+8pkG6GIZiF1kNg1jAjh27IDxEPKwdGul3snfztFerfPGI1LjDezZp3i7BElXompqEtPmoPx6c2wgtWsOA=="],
"@tokenizer/token": ["@tokenizer/token@0.3.0", "", {}, "sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A=="], "@tokenizer/token": ["@tokenizer/token@0.3.0", "", {}, "sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A=="],

View File

@@ -0,0 +1,25 @@
'use client';
import { QueryClient, QueryClientProvider } from '@tanstack/react-query';
import { useState } from 'react';
type QueryProviderProps = {
children: React.ReactNode;
};
export function QueryProvider({ children }: QueryProviderProps) {
const [queryClient] = useState(() => new QueryClient({
defaultOptions: {
queries: {
retry: 1,
refetchOnWindowFocus: false
}
}
}));
return (
<QueryClientProvider client={queryClient}>
{children}
</QueryClientProvider>
);
}

View File

@@ -1,10 +1,22 @@
'use client'; 'use client';
import { useQueryClient } from '@tanstack/react-query';
import type { LucideIcon } from 'lucide-react';
import { Activity, BookOpenText, ChartCandlestick, Eye, Landmark, LineChart, LogOut, Menu } from 'lucide-react';
import Link from 'next/link'; import Link from 'next/link';
import { usePathname, useRouter } from 'next/navigation'; import { usePathname, useRouter, useSearchParams } from 'next/navigation';
import { useState } from 'react'; import { useEffect, useMemo, useState } from 'react';
import { Activity, BookOpenText, ChartCandlestick, Eye, Landmark, LineChart, LogOut } from 'lucide-react';
import { authClient } from '@/lib/auth-client'; import { authClient } from '@/lib/auth-client';
import {
companyAnalysisQueryOptions,
filingsQueryOptions,
holdingsQueryOptions,
latestPortfolioInsightQueryOptions,
portfolioSummaryQueryOptions,
recentTasksQueryOptions,
watchlistQueryOptions
} from '@/lib/query/options';
import type { ActiveContext, NavGroup, NavItem } from '@/lib/types';
import { Button } from '@/components/ui/button'; import { Button } from '@/components/ui/button';
import { cn } from '@/lib/utils'; import { cn } from '@/lib/utils';
@@ -12,22 +24,168 @@ type AppShellProps = {
title: string; title: string;
subtitle?: string; subtitle?: string;
actions?: React.ReactNode; actions?: React.ReactNode;
activeTicker?: string | null;
breadcrumbs?: Array<{ label: string; href?: string }>;
children: React.ReactNode; children: React.ReactNode;
}; };
const NAV_ITEMS = [ type NavConfigItem = NavItem & {
{ href: '/', label: 'Command Center', icon: Activity }, icon: LucideIcon;
{ href: '/analysis', label: 'Company Analysis', icon: LineChart }, };
{ href: '/financials', label: 'Financials', icon: Landmark },
{ href: '/filings', label: 'Filings Stream', icon: BookOpenText }, const NAV_ITEMS: NavConfigItem[] = [
{ href: '/portfolio', label: 'Portfolio Matrix', icon: ChartCandlestick }, {
{ href: '/watchlist', label: 'Watchlist', icon: Eye } id: 'home',
href: '/',
label: 'Home',
icon: Activity,
group: 'overview',
matchMode: 'exact',
mobilePrimary: true
},
{
id: 'analysis',
href: '/analysis',
label: 'Analysis',
icon: LineChart,
group: 'research',
matchMode: 'prefix',
preserveTicker: true,
mobilePrimary: true
},
{
id: 'financials',
href: '/financials',
label: 'Financials',
icon: Landmark,
group: 'research',
matchMode: 'exact',
preserveTicker: true,
mobilePrimary: false
},
{
id: 'filings',
href: '/filings',
label: 'Filings',
icon: BookOpenText,
group: 'research',
matchMode: 'exact',
preserveTicker: true,
mobilePrimary: true
},
{
id: 'portfolio',
href: '/portfolio',
label: 'Portfolio',
icon: ChartCandlestick,
group: 'portfolio',
matchMode: 'exact',
mobilePrimary: true
},
{
id: 'watchlist',
href: '/watchlist',
label: 'Watchlist',
icon: Eye,
group: 'portfolio',
matchMode: 'exact',
mobilePrimary: true
}
]; ];
export function AppShell({ title, subtitle, actions, children }: AppShellProps) { const GROUP_LABELS: Record<NavGroup, string> = {
overview: 'Overview',
research: 'Research',
portfolio: 'Portfolio'
};
function normalizeTicker(value: string | null | undefined) {
const normalized = value?.trim().toUpperCase() ?? '';
return normalized.length > 0 ? normalized : null;
}
function toTickerHref(baseHref: string, activeTicker: string | null) {
if (!activeTicker) {
return baseHref;
}
const separator = baseHref.includes('?') ? '&' : '?';
return `${baseHref}${separator}ticker=${encodeURIComponent(activeTicker)}`;
}
function resolveNavHref(item: NavItem, context: ActiveContext) {
if (!item.preserveTicker) {
return item.href;
}
return toTickerHref(item.href, context.activeTicker);
}
function isItemActive(item: NavItem, pathname: string) {
if (item.matchMode === 'prefix') {
return pathname === item.href || pathname.startsWith(`${item.href}/`);
}
return pathname === item.href;
}
function buildDefaultBreadcrumbs(pathname: string, activeTicker: string | null) {
const analysisHref = toTickerHref('/analysis', activeTicker);
const financialsHref = toTickerHref('/financials', activeTicker);
const filingsHref = toTickerHref('/filings', activeTicker);
if (pathname === '/') {
return [{ label: 'Home' }];
}
if (pathname.startsWith('/analysis/reports/')) {
return [
{ label: 'Analysis', href: analysisHref },
{ label: 'Reports', href: analysisHref },
{ label: activeTicker ?? 'Summary' }
];
}
if (pathname.startsWith('/analysis')) {
return [{ label: 'Analysis' }];
}
if (pathname.startsWith('/financials')) {
return [
{ label: 'Analysis', href: analysisHref },
{ label: 'Financials' }
];
}
if (pathname.startsWith('/filings')) {
return [
{ label: 'Analysis', href: analysisHref },
{ label: 'Filings' }
];
}
if (pathname.startsWith('/portfolio')) {
return [{ label: 'Portfolio' }];
}
if (pathname.startsWith('/watchlist')) {
return [
{ label: 'Portfolio', href: '/portfolio' },
{ label: 'Watchlist' }
];
}
return [{ label: 'Home', href: '/' }, { label: pathname }];
}
export function AppShell({ title, subtitle, actions, activeTicker, breadcrumbs, children }: AppShellProps) {
const pathname = usePathname(); const pathname = usePathname();
const router = useRouter(); const router = useRouter();
const searchParams = useSearchParams();
const queryClient = useQueryClient();
const [isSigningOut, setIsSigningOut] = useState(false); const [isSigningOut, setIsSigningOut] = useState(false);
const [isMoreOpen, setIsMoreOpen] = useState(false);
const { data: session } = authClient.useSession(); const { data: session } = authClient.useSession();
const sessionUser = (session?.user ?? null) as { name?: string | null; email?: string | null; role?: unknown } | null; const sessionUser = (session?.user ?? null) as { name?: string | null; email?: string | null; role?: unknown } | null;
@@ -36,8 +194,150 @@ export function AppShell({ title, subtitle, actions, children }: AppShellProps)
: Array.isArray(sessionUser?.role) : Array.isArray(sessionUser?.role)
? sessionUser.role.filter((entry): entry is string => typeof entry === 'string').join(', ') ? sessionUser.role.filter((entry): entry is string => typeof entry === 'string').join(', ')
: null; : null;
const displayName = sessionUser?.name || sessionUser?.email || 'Authenticated user'; const displayName = sessionUser?.name || sessionUser?.email || 'Authenticated user';
const derivedTickerFromPath = useMemo(() => {
if (!pathname.startsWith('/analysis/reports/')) {
return null;
}
const segments = pathname.split('/').filter(Boolean);
const tickerSegment = segments[2];
return tickerSegment ? normalizeTicker(decodeURIComponent(tickerSegment)) : null;
}, [pathname]);
const context: ActiveContext = useMemo(() => {
const queryTicker = normalizeTicker(searchParams.get('ticker'));
return {
pathname,
activeTicker: normalizeTicker(activeTicker) ?? queryTicker ?? derivedTickerFromPath
};
}, [activeTicker, derivedTickerFromPath, pathname, searchParams]);
const navEntries = useMemo(() => {
return NAV_ITEMS.map((item) => {
const href = resolveNavHref(item, context);
return {
...item,
href,
active: isItemActive(item, pathname)
};
});
}, [context, pathname]);
const groupedNav = useMemo(() => {
const groups: Array<{ group: NavGroup; items: typeof navEntries }> = [
{ group: 'overview', items: [] },
{ group: 'research', items: [] },
{ group: 'portfolio', items: [] }
];
for (const entry of navEntries) {
const group = groups.find((candidate) => candidate.group === entry.group);
if (group) {
group.items.push(entry);
}
}
return groups;
}, [navEntries]);
const mobilePrimaryEntries = useMemo(() => {
return navEntries.filter((entry) => entry.mobilePrimary);
}, [navEntries]);
const mobileMoreEntries = useMemo(() => {
return navEntries.filter((entry) => !entry.mobilePrimary);
}, [navEntries]);
const breadcrumbItems = useMemo(() => {
if (breadcrumbs && breadcrumbs.length > 0) {
return breadcrumbs;
}
return buildDefaultBreadcrumbs(pathname, context.activeTicker);
}, [breadcrumbs, context.activeTicker, pathname]);
const prefetchForHref = (href: string) => {
router.prefetch(href);
if (href.startsWith('/analysis')) {
if (context.activeTicker) {
void queryClient.prefetchQuery(companyAnalysisQueryOptions(context.activeTicker));
}
return;
}
if (href.startsWith('/financials')) {
if (context.activeTicker) {
void queryClient.prefetchQuery(companyAnalysisQueryOptions(context.activeTicker));
}
return;
}
if (href.startsWith('/filings')) {
void queryClient.prefetchQuery(filingsQueryOptions({
ticker: context.activeTicker ?? undefined,
limit: 120
}));
return;
}
if (href.startsWith('/portfolio')) {
void queryClient.prefetchQuery(holdingsQueryOptions());
void queryClient.prefetchQuery(portfolioSummaryQueryOptions());
void queryClient.prefetchQuery(latestPortfolioInsightQueryOptions());
return;
}
if (href.startsWith('/watchlist')) {
void queryClient.prefetchQuery(watchlistQueryOptions());
return;
}
if (href === '/') {
void queryClient.prefetchQuery(portfolioSummaryQueryOptions());
void queryClient.prefetchQuery(filingsQueryOptions({ limit: 200 }));
void queryClient.prefetchQuery(watchlistQueryOptions());
void queryClient.prefetchQuery(recentTasksQueryOptions(20));
void queryClient.prefetchQuery(latestPortfolioInsightQueryOptions());
}
};
useEffect(() => {
const browserWindow = window as Window & {
requestIdleCallback?: (callback: IdleRequestCallback) => number;
cancelIdleCallback?: (handle: number) => void;
};
const runPrefetch = () => {
const prioritized = navEntries.filter((entry) => entry.id === 'analysis' || entry.id === 'filings' || entry.id === 'portfolio');
for (const entry of prioritized) {
prefetchForHref(entry.href);
}
};
if (browserWindow.requestIdleCallback) {
const idleId = browserWindow.requestIdleCallback(() => {
runPrefetch();
});
return () => {
browserWindow.cancelIdleCallback?.(idleId);
};
}
const timeoutId = window.setTimeout(() => {
runPrefetch();
}, 320);
return () => {
window.clearTimeout(timeoutId);
};
}, [navEntries]);
const signOut = async () => { const signOut = async () => {
if (isSigningOut) { if (isSigningOut) {
return; return;
@@ -67,27 +367,34 @@ export function AppShell({ title, subtitle, actions, children }: AppShellProps)
</p> </p>
</div> </div>
<nav className="space-y-2"> <nav className="space-y-4" aria-label="Primary">
{NAV_ITEMS.map((item) => { {groupedNav.map(({ group, items }) => (
const Icon = item.icon; <div key={group} className="space-y-2">
const isActive = pathname === item.href; <p className="terminal-caption px-2 text-[11px] uppercase tracking-[0.18em] text-[color:var(--terminal-muted)]">{GROUP_LABELS[group]}</p>
{items.map((item) => {
const Icon = item.icon;
return ( return (
<Link <Link
key={item.href} key={item.id}
href={item.href} href={item.href}
className={cn( aria-current={item.active ? 'page' : undefined}
'flex items-center gap-3 rounded-xl border px-3 py-2 text-sm transition-all duration-200', onMouseEnter={() => prefetchForHref(item.href)}
isActive onFocus={() => prefetchForHref(item.href)}
? 'border-[color:var(--line-strong)] bg-[color:var(--panel-bright)] text-[color:var(--terminal-bright)] shadow-[0_0_18px_rgba(0,255,180,0.16)]' className={cn(
: 'border-transparent text-[color:var(--terminal-muted)] hover:border-[color:var(--line-weak)] hover:bg-[color:var(--panel-soft)] hover:text-[color:var(--terminal-bright)]' 'flex items-center gap-3 rounded-xl border px-3 py-2 text-sm transition-all duration-200 focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-[color:var(--line-strong)] focus-visible:ring-offset-2 focus-visible:ring-offset-transparent',
)} item.active
> ? 'border-[color:var(--line-strong)] bg-[color:var(--panel-bright)] text-[color:var(--terminal-bright)] shadow-[0_0_18px_rgba(0,255,180,0.16)]'
<Icon className="size-4" /> : 'border-transparent text-[color:var(--terminal-muted)] hover:border-[color:var(--line-weak)] hover:bg-[color:var(--panel-soft)] hover:text-[color:var(--terminal-bright)]'
{item.label} )}
</Link> >
); <Icon className="size-4" />
})} {item.label}
</Link>
);
})}
</div>
))}
</nav> </nav>
<div className="mt-auto rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-3"> <div className="mt-auto rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel-soft)] p-3">
@@ -104,8 +411,8 @@ export function AppShell({ title, subtitle, actions, children }: AppShellProps)
</div> </div>
</aside> </aside>
<div className="min-w-0 flex-1"> <div className="min-w-0 flex-1 pb-24 lg:pb-0">
<header className="mb-6 rounded-2xl border border-[color:var(--line-weak)] bg-[color:var(--panel)] px-6 py-5 shadow-[0_0_0_1px_rgba(0,255,180,0.05),0_14px_40px_rgba(1,4,10,0.5)]"> <header className="mb-4 rounded-2xl border border-[color:var(--line-weak)] bg-[color:var(--panel)] px-6 py-5 shadow-[0_0_0_1px_rgba(0,255,180,0.05),0_14px_40px_rgba(1,4,10,0.5)]">
<div className="flex flex-wrap items-start justify-between gap-4"> <div className="flex flex-wrap items-start justify-between gap-4">
<div> <div>
<p className="terminal-caption text-xs uppercase tracking-[0.3em] text-[color:var(--terminal-muted)]">Live System</p> <p className="terminal-caption text-xs uppercase tracking-[0.3em] text-[color:var(--terminal-muted)]">Live System</p>
@@ -124,32 +431,130 @@ export function AppShell({ title, subtitle, actions, children }: AppShellProps)
</div> </div>
</header> </header>
<nav className="mb-6 flex gap-2 overflow-x-auto rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel)] p-2 lg:hidden"> <nav
{NAV_ITEMS.map((item) => { aria-label="Breadcrumb"
const Icon = item.icon; className="mb-6 rounded-xl border border-[color:var(--line-weak)] bg-[color:var(--panel)] px-3 py-2"
const isActive = pathname === item.href; >
<ol className="flex flex-wrap items-center gap-2 text-xs text-[color:var(--terminal-muted)]">
{breadcrumbItems.map((item, index) => {
const isLast = index === breadcrumbItems.length - 1;
return ( return (
<Link <li key={`${item.label}-${index}`} className="flex items-center gap-2">
key={item.href} {item.href && !isLast ? (
href={item.href} <Link
className={cn( href={item.href}
'inline-flex min-w-fit items-center gap-2 rounded-lg border px-3 py-2 text-xs transition', onMouseEnter={() => prefetchForHref(item.href as string)}
isActive onFocus={() => prefetchForHref(item.href as string)}
? 'border-[color:var(--line-strong)] bg-[color:var(--panel-bright)] text-[color:var(--terminal-bright)]' className="rounded px-1 py-0.5 text-[color:var(--accent)] transition hover:text-[color:var(--accent-strong)] focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-[color:var(--line-strong)]"
: 'border-transparent text-[color:var(--terminal-muted)] hover:border-[color:var(--line-weak)] hover:bg-[color:var(--panel-soft)]' >
)} {item.label}
> </Link>
<Icon className="size-3.5" /> ) : (
{item.label} <span className={cn(isLast ? 'text-[color:var(--terminal-bright)]' : '')} aria-current={isLast ? 'page' : undefined}>
</Link> {item.label}
); </span>
})} )}
{!isLast ? <span aria-hidden="true">/</span> : null}
</li>
);
})}
</ol>
</nav> </nav>
<main className="min-w-0 space-y-6">{children}</main> <main className="min-w-0 space-y-6">{children}</main>
</div> </div>
</div> </div>
<nav
className="fixed inset-x-0 bottom-0 z-40 border-t border-[color:var(--line-weak)] bg-[color:rgba(5,14,22,0.96)] px-2 py-2 backdrop-blur lg:hidden"
aria-label="Mobile primary"
>
<div className="mx-auto flex w-full max-w-[1300px] items-center justify-between gap-1 px-1" style={{ paddingBottom: 'calc(env(safe-area-inset-bottom) * 0.5)' }}>
{mobilePrimaryEntries.map((item) => {
const Icon = item.icon;
return (
<Link
key={item.id}
href={item.href}
aria-current={item.active ? 'page' : undefined}
onMouseEnter={() => prefetchForHref(item.href)}
onFocus={() => prefetchForHref(item.href)}
className={cn(
'flex min-w-0 flex-1 flex-col items-center gap-1 rounded-lg px-2 py-1.5 text-[11px] transition focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-[color:var(--line-strong)]',
item.active
? 'bg-[color:var(--panel-bright)] text-[color:var(--terminal-bright)]'
: 'text-[color:var(--terminal-muted)] hover:bg-[color:var(--panel-soft)] hover:text-[color:var(--terminal-bright)]'
)}
>
<Icon className="size-4" />
<span className="truncate">{item.label}</span>
</Link>
);
})}
<button
type="button"
aria-haspopup="dialog"
aria-expanded={isMoreOpen}
onClick={() => setIsMoreOpen((prev) => !prev)}
className="flex min-w-0 flex-1 flex-col items-center gap-1 rounded-lg px-2 py-1.5 text-[11px] text-[color:var(--terminal-muted)] transition hover:bg-[color:var(--panel-soft)] hover:text-[color:var(--terminal-bright)] focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-[color:var(--line-strong)]"
>
<Menu className="size-4" />
<span>More</span>
</button>
</div>
</nav>
{isMoreOpen ? (
<div className="fixed inset-0 z-50 bg-[color:rgba(0,0,0,0.55)] lg:hidden" onClick={() => setIsMoreOpen(false)}>
<div
role="dialog"
aria-modal="true"
className="absolute inset-x-3 rounded-2xl border border-[color:var(--line-weak)] bg-[color:var(--panel)] p-3 shadow-[0_20px_60px_rgba(0,0,0,0.45)]"
style={{ bottom: 'calc(4.7rem + env(safe-area-inset-bottom))' }}
onClick={(event) => event.stopPropagation()}
>
<p className="terminal-caption mb-2 px-1 text-[11px] uppercase tracking-[0.2em] text-[color:var(--terminal-muted)]">More destinations</p>
<div className="grid grid-cols-2 gap-2">
{mobileMoreEntries.map((item) => {
const Icon = item.icon;
return (
<Link
key={item.id}
href={item.href}
aria-current={item.active ? 'page' : undefined}
onMouseEnter={() => prefetchForHref(item.href)}
onFocus={() => prefetchForHref(item.href)}
onClick={() => setIsMoreOpen(false)}
className={cn(
'flex items-center gap-2 rounded-lg border px-3 py-2 text-sm transition focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-[color:var(--line-strong)]',
item.active
? 'border-[color:var(--line-strong)] bg-[color:var(--panel-bright)] text-[color:var(--terminal-bright)]'
: 'border-transparent text-[color:var(--terminal-muted)] hover:border-[color:var(--line-weak)] hover:bg-[color:var(--panel-soft)] hover:text-[color:var(--terminal-bright)]'
)}
>
<Icon className="size-4" />
<span>{item.label}</span>
</Link>
);
})}
<button
type="button"
onClick={() => {
setIsMoreOpen(false);
void signOut();
}}
className="col-span-2 flex items-center justify-center gap-2 rounded-lg border border-[color:var(--line-weak)] px-3 py-2 text-sm text-[color:var(--terminal-muted)] transition hover:border-[color:var(--line-strong)] hover:text-[color:var(--terminal-bright)] focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-[color:var(--line-strong)]"
>
<LogOut className="size-4" />
{isSigningOut ? 'Signing out...' : 'Sign out'}
</button>
</div>
</div>
</div>
) : null}
</div> </div>
); );
} }

77
hooks/use-api-queries.ts Normal file
View File

@@ -0,0 +1,77 @@
'use client';
import { useQuery } from '@tanstack/react-query';
import {
aiReportQueryOptions,
companyAnalysisQueryOptions,
filingsQueryOptions,
holdingsQueryOptions,
latestPortfolioInsightQueryOptions,
portfolioSummaryQueryOptions,
recentTasksQueryOptions,
taskQueryOptions,
watchlistQueryOptions
} from '@/lib/query/options';
export function useCompanyAnalysisQuery(ticker: string, enabled = true) {
return useQuery({
...companyAnalysisQueryOptions(ticker),
enabled: enabled && ticker.trim().length > 0
});
}
export function useFilingsQuery(input: { ticker?: string; limit?: number }, enabled = true) {
return useQuery({
...filingsQueryOptions(input),
enabled
});
}
export function useAiReportQuery(accessionNumber: string, enabled = true) {
return useQuery({
...aiReportQueryOptions(accessionNumber),
enabled: enabled && accessionNumber.trim().length > 0
});
}
export function useWatchlistQuery(enabled = true) {
return useQuery({
...watchlistQueryOptions(),
enabled
});
}
export function useHoldingsQuery(enabled = true) {
return useQuery({
...holdingsQueryOptions(),
enabled
});
}
export function usePortfolioSummaryQuery(enabled = true) {
return useQuery({
...portfolioSummaryQueryOptions(),
enabled
});
}
export function useLatestPortfolioInsightQuery(enabled = true) {
return useQuery({
...latestPortfolioInsightQueryOptions(),
enabled
});
}
export function useTaskQuery(taskId: string, enabled = true) {
return useQuery({
...taskQueryOptions(taskId),
enabled: enabled && taskId.length > 0
});
}
export function useRecentTasksQuery(limit = 20, enabled = true) {
return useQuery({
...recentTasksQueryOptions(limit),
enabled
});
}

View File

@@ -0,0 +1,74 @@
'use client';
import { useQueryClient } from '@tanstack/react-query';
import { useRouter } from 'next/navigation';
import { useCallback } from 'react';
import {
aiReportQueryOptions,
companyAnalysisQueryOptions,
filingsQueryOptions,
holdingsQueryOptions,
latestPortfolioInsightQueryOptions,
portfolioSummaryQueryOptions,
recentTasksQueryOptions,
watchlistQueryOptions
} from '@/lib/query/options';
function normalizeTicker(ticker: string) {
return ticker.trim().toUpperCase();
}
export function useLinkPrefetch() {
const queryClient = useQueryClient();
const router = useRouter();
const prefetchResearchTicker = useCallback((ticker: string) => {
const normalizedTicker = normalizeTicker(ticker);
if (!normalizedTicker) {
return;
}
const analysisHref = `/analysis?ticker=${encodeURIComponent(normalizedTicker)}`;
const filingsHref = `/filings?ticker=${encodeURIComponent(normalizedTicker)}`;
const financialsHref = `/financials?ticker=${encodeURIComponent(normalizedTicker)}`;
router.prefetch(analysisHref);
router.prefetch(filingsHref);
router.prefetch(financialsHref);
void queryClient.prefetchQuery(companyAnalysisQueryOptions(normalizedTicker));
void queryClient.prefetchQuery(filingsQueryOptions({ ticker: normalizedTicker, limit: 120 }));
}, [queryClient, router]);
const prefetchReport = useCallback((ticker: string, accessionNumber: string) => {
const normalizedTicker = normalizeTicker(ticker);
const normalizedAccession = accessionNumber.trim();
if (!normalizedTicker || !normalizedAccession) {
return;
}
const reportHref = `/analysis/reports/${encodeURIComponent(normalizedTicker)}/${encodeURIComponent(normalizedAccession)}`;
router.prefetch(reportHref);
void queryClient.prefetchQuery(aiReportQueryOptions(normalizedAccession));
void queryClient.prefetchQuery(companyAnalysisQueryOptions(normalizedTicker));
}, [queryClient, router]);
const prefetchPortfolioSurfaces = useCallback(() => {
router.prefetch('/portfolio');
router.prefetch('/watchlist');
void queryClient.prefetchQuery(holdingsQueryOptions());
void queryClient.prefetchQuery(portfolioSummaryQueryOptions());
void queryClient.prefetchQuery(latestPortfolioInsightQueryOptions());
void queryClient.prefetchQuery(watchlistQueryOptions());
void queryClient.prefetchQuery(recentTasksQueryOptions(20));
}, [queryClient, router]);
return {
prefetchResearchTicker,
prefetchReport,
prefetchPortfolioSurfaces
};
}

11
lib/query/keys.ts Normal file
View File

@@ -0,0 +1,11 @@
export const queryKeys = {
companyAnalysis: (ticker: string) => ['analysis', ticker] as const,
filings: (ticker: string | null, limit: number) => ['filings', ticker ?? '', limit] as const,
report: (accessionNumber: string) => ['report', accessionNumber] as const,
watchlist: () => ['watchlist'] as const,
holdings: () => ['portfolio', 'holdings'] as const,
portfolioSummary: () => ['portfolio', 'summary'] as const,
latestPortfolioInsight: () => ['portfolio', 'insights', 'latest'] as const,
task: (taskId: string) => ['tasks', 'detail', taskId] as const,
recentTasks: (limit: number) => ['tasks', 'recent', limit] as const
};

92
lib/query/options.ts Normal file
View File

@@ -0,0 +1,92 @@
import { queryOptions } from '@tanstack/react-query';
import {
getCompanyAiReport,
getCompanyAnalysis,
getLatestPortfolioInsight,
getPortfolioSummary,
getTask,
listFilings,
listHoldings,
listRecentTasks,
listWatchlist
} from '@/lib/api';
import { queryKeys } from '@/lib/query/keys';
export function companyAnalysisQueryOptions(ticker: string) {
const normalizedTicker = ticker.trim().toUpperCase();
return queryOptions({
queryKey: queryKeys.companyAnalysis(normalizedTicker),
queryFn: () => getCompanyAnalysis(normalizedTicker),
staleTime: 120_000
});
}
export function filingsQueryOptions(input: { ticker?: string; limit?: number } = {}) {
const normalizedTicker = input.ticker?.trim().toUpperCase() ?? null;
const limit = input.limit ?? 120;
return queryOptions({
queryKey: queryKeys.filings(normalizedTicker, limit),
queryFn: () => listFilings({ ticker: normalizedTicker ?? undefined, limit }),
staleTime: 60_000
});
}
export function aiReportQueryOptions(accessionNumber: string) {
const normalizedAccession = accessionNumber.trim();
return queryOptions({
queryKey: queryKeys.report(normalizedAccession),
queryFn: () => getCompanyAiReport(normalizedAccession),
staleTime: 300_000
});
}
export function watchlistQueryOptions() {
return queryOptions({
queryKey: queryKeys.watchlist(),
queryFn: () => listWatchlist(),
staleTime: 30_000
});
}
export function holdingsQueryOptions() {
return queryOptions({
queryKey: queryKeys.holdings(),
queryFn: () => listHoldings(),
staleTime: 30_000
});
}
export function portfolioSummaryQueryOptions() {
return queryOptions({
queryKey: queryKeys.portfolioSummary(),
queryFn: () => getPortfolioSummary(),
staleTime: 30_000
});
}
export function latestPortfolioInsightQueryOptions() {
return queryOptions({
queryKey: queryKeys.latestPortfolioInsight(),
queryFn: () => getLatestPortfolioInsight(),
staleTime: 30_000
});
}
export function taskQueryOptions(taskId: string) {
return queryOptions({
queryKey: queryKeys.task(taskId),
queryFn: () => getTask(taskId),
staleTime: 5_000
});
}
export function recentTasksQueryOptions(limit = 20) {
return queryOptions({
queryKey: queryKeys.recentTasks(limit),
queryFn: () => listRecentTasks(limit),
staleTime: 5_000
});
}

View File

@@ -158,3 +158,21 @@ export type CompanyAnalysis = {
filings: Filing[]; filings: Filing[];
aiReports: CompanyAiReport[]; aiReports: CompanyAiReport[];
}; };
export type NavGroup = 'overview' | 'research' | 'portfolio';
export type NavMatchMode = 'exact' | 'prefix';
export type NavItem = {
id: string;
href: string;
label: string;
group: NavGroup;
matchMode: NavMatchMode;
preserveTicker?: boolean;
mobilePrimary?: boolean;
};
export type ActiveContext = {
pathname: string;
activeTicker: string | null;
};

View File

@@ -13,10 +13,11 @@
"db:migrate": "bun x drizzle-kit migrate" "db:migrate": "bun x drizzle-kit migrate"
}, },
"dependencies": { "dependencies": {
"@elysiajs/eden": "^1.4.8",
"@ai-sdk/openai": "^2.0.62", "@ai-sdk/openai": "^2.0.62",
"@elysiajs/eden": "^1.4.8",
"@libsql/client": "^0.17.0", "@libsql/client": "^0.17.0",
"@tailwindcss/postcss": "^4.2.1", "@tailwindcss/postcss": "^4.2.1",
"@tanstack/react-query": "^5.90.21",
"ai": "^6.0.104", "ai": "^6.0.104",
"better-auth": "^1.4.19", "better-auth": "^1.4.19",
"clsx": "^2.1.1", "clsx": "^2.1.1",