feat: add websocket support for real-time scrape job monitoring

This commit is contained in:
2026-01-29 19:31:04 -06:00
parent d861888e5e
commit cfe098d193
26 changed files with 1118 additions and 173 deletions
+2
View File
@@ -53,6 +53,8 @@ export interface ScrapeJob {
lockedAt: string | null;
retryCount: number;
maxRetries: number;
queuedAt: string;
status: "processing" | "staleLock" | "exhausted" | "scheduled" | "pending";
}
export interface ScrapeJobsResponse {
@@ -0,0 +1,56 @@
<script lang="ts">
import { page } from "$app/state";
import { TriangleAlert, RotateCcw } from "@lucide/svelte";
interface Props {
/** Heading shown in the error card */
title?: string;
/** The error value from svelte:boundary */
error: unknown;
/** Reset callback from svelte:boundary */
reset: () => void;
}
let { title = "Something went wrong", error, reset }: Props = $props();
let errorName = $derived(error instanceof Error ? error.constructor.name : "Error");
let errorMessage = $derived(error instanceof Error ? error.message : String(error));
let errorStack = $derived(error instanceof Error ? error.stack : null);
</script>
<div class="flex items-center justify-center py-16 px-4">
<div class="w-full max-w-lg rounded-lg border border-status-red/25 bg-status-red/5 overflow-hidden text-sm">
<div class="px-4 py-2.5 border-b border-status-red/15 flex items-center justify-between gap-4">
<div class="flex items-center gap-2 text-status-red">
<TriangleAlert size={16} strokeWidth={2.25} />
<span class="font-semibold">{title}</span>
</div>
<span class="text-xs text-muted-foreground font-mono">{page.url.pathname}</span>
</div>
<div class="px-4 py-3 border-b border-status-red/15">
<span class="text-xs text-muted-foreground/70 font-mono">{errorName}</span>
<pre class="mt-1 text-xs text-foreground/80 overflow-auto whitespace-pre-wrap break-words">{errorMessage}</pre>
</div>
{#if errorStack}
<details class="border-b border-status-red/15">
<summary class="px-4 py-2 text-xs text-muted-foreground/70 cursor-pointer hover:text-muted-foreground select-none">
Stack trace
</summary>
<pre class="px-4 py-3 text-xs text-muted-foreground/60 overflow-auto whitespace-pre-wrap break-words max-h-48">{errorStack}</pre>
</details>
{/if}
<div class="px-4 py-2.5 flex items-center justify-end gap-3">
<span class="text-xs text-muted-foreground/60">Retries this section, not the full page</span>
<button
class="shrink-0 cursor-pointer inline-flex items-center gap-1.5 rounded-md bg-status-red px-3 py-1.5 text-sm font-medium text-white hover:brightness-110 transition-all"
onclick={reset}
>
<RotateCcw size={14} strokeWidth={2.25} />
Try again
</button>
</div>
</div>
</div>
+3 -3
View File
@@ -48,7 +48,7 @@ function inTransition(_node: HTMLElement): TransitionConfig {
function outTransition(_node: HTMLElement): TransitionConfig {
const dir = navigationStore.direction;
const base = "position: absolute; top: 0; left: 0; width: 100%";
const base = "position: absolute; top: 0; left: 0; width: 100%; height: 100%";
if (dir === "fade") {
return {
duration: DURATION,
@@ -67,9 +67,9 @@ function outTransition(_node: HTMLElement): TransitionConfig {
}
</script>
<div class="relative overflow-hidden">
<div class="relative flex flex-1 flex-col overflow-hidden">
{#key key}
<div in:inTransition out:outTransition class="w-full">
<div in:inTransition out:outTransition class="flex flex-1 flex-col">
{@render children()}
</div>
{/key}
@@ -39,7 +39,7 @@ export function createSvelteTable<TData extends RowData>(options: TableOptions<T
// eslint-disable-next-line @typescript-eslint/no-explicit-any
onStateChange: (updater: any) => {
if (updater instanceof Function) state = updater(state);
else state = mergeObjects(state, updater as Partial<TableState>);
else state = { ...state, ...(updater as Partial<TableState>) };
options.onStateChange?.(updater);
},
+3 -1
View File
@@ -7,7 +7,9 @@ export function formatRelativeDate(date: string | Date): string {
}
/** Returns a full absolute datetime string for tooltip display, e.g. "Jan 29, 2026, 3:45:12 PM". */
export function formatAbsoluteDate(date: string | Date): string {
export function formatAbsoluteDate(date: string | Date | null | undefined): string {
if (date == null) return "—";
const d = typeof date === "string" ? new Date(date) : date;
if (Number.isNaN(d.getTime())) return "—";
return format(d, "MMM d, yyyy, h:mm:ss a");
}
+40 -31
View File
@@ -14,7 +14,7 @@ interface RelativeTimeResult {
}
/**
* Compute a compact relative time string and the interval until it next changes.
* Format a duration in milliseconds as a compact human-readable string.
*
* Format tiers:
* - < 60s: seconds only ("45s")
@@ -22,6 +22,33 @@ interface RelativeTimeResult {
* - < 24h: hours + minutes ("1h 23m")
* - >= 24h: days only ("3d")
*/
export function formatDuration(ms: number): string {
const totalSeconds = Math.floor(Math.abs(ms) / 1000);
if (totalSeconds < 60) return `${totalSeconds}s`;
const totalMinutes = Math.floor(totalSeconds / 60);
if (totalMinutes < 60) {
const secs = totalSeconds % 60;
return `${totalMinutes}m ${secs}s`;
}
const totalHours = Math.floor(totalMinutes / 60);
if (totalHours < 24) {
const mins = totalMinutes % 60;
return `${totalHours}h ${mins}m`;
}
const days = Math.floor(totalHours / 24);
return `${days}d`;
}
/**
* Compute a compact relative time string and the interval until it next changes.
*
* Uses {@link formatDuration} for the text, plus computes the optimal refresh
* interval so callers can schedule the next update efficiently.
*/
export function relativeTime(date: Date, ref: Date): RelativeTimeResult {
const diffMs = ref.getTime() - date.getTime();
const totalSeconds = Math.floor(diffMs / 1000);
@@ -30,40 +57,22 @@ export function relativeTime(date: Date, ref: Date): RelativeTimeResult {
return { text: "now", nextUpdateMs: 1000 - (diffMs % 1000) || 1000 };
}
if (totalSeconds < 60) {
const remainder = 1000 - (diffMs % 1000);
return {
text: `${totalSeconds}s`,
nextUpdateMs: remainder || 1000,
};
}
const text = formatDuration(diffMs);
// Compute optimal next-update interval based on the current tier
const totalMinutes = Math.floor(totalSeconds / 60);
if (totalMinutes < 60) {
const secs = totalSeconds % 60;
const remainder = 1000 - (diffMs % 1000);
return {
text: `${totalMinutes}m ${secs}s`,
nextUpdateMs: remainder || 1000,
};
}
const totalHours = Math.floor(totalMinutes / 60);
if (totalHours < 24) {
const mins = totalMinutes % 60;
let nextUpdateMs: number;
if (totalHours >= 24) {
const msIntoCurrentDay = diffMs % 86_400_000;
nextUpdateMs = 86_400_000 - msIntoCurrentDay || 86_400_000;
} else if (totalMinutes >= 60) {
const msIntoCurrentMinute = diffMs % 60_000;
const msUntilNextMinute = 60_000 - msIntoCurrentMinute;
return {
text: `${totalHours}h ${mins}m`,
nextUpdateMs: msUntilNextMinute || 60_000,
};
nextUpdateMs = 60_000 - msIntoCurrentMinute || 60_000;
} else {
nextUpdateMs = 1000 - (diffMs % 1000) || 1000;
}
const days = Math.floor(totalHours / 24);
const msIntoCurrentDay = diffMs % 86_400_000;
const msUntilNextDay = 86_400_000 - msIntoCurrentDay;
return {
text: `${days}d`,
nextUpdateMs: msUntilNextDay || 86_400_000,
};
return { text, nextUpdateMs };
}
+210
View File
@@ -0,0 +1,210 @@
import type { ScrapeJob } from "$lib/api";
export type ScrapeJobStatus = "processing" | "staleLock" | "exhausted" | "scheduled" | "pending";
export type ScrapeJobEvent =
| { type: "init"; jobs: ScrapeJob[] }
| { type: "jobCreated"; job: ScrapeJob }
| { type: "jobLocked"; id: number; lockedAt: string; status: ScrapeJobStatus }
| { type: "jobCompleted"; id: number }
| {
type: "jobRetried";
id: number;
retryCount: number;
queuedAt: string;
status: ScrapeJobStatus;
}
| { type: "jobExhausted"; id: number }
| { type: "jobDeleted"; id: number };
export type ConnectionState = "connected" | "reconnecting" | "disconnected";
const PRIORITY_ORDER: Record<string, number> = {
critical: 0,
high: 1,
medium: 2,
low: 3,
};
const MAX_RECONNECT_DELAY = 30_000;
const MAX_RECONNECT_ATTEMPTS = 10;
function sortJobs(jobs: Iterable<ScrapeJob>): ScrapeJob[] {
return Array.from(jobs).sort((a, b) => {
const pa = PRIORITY_ORDER[a.priority.toLowerCase()] ?? 2;
const pb = PRIORITY_ORDER[b.priority.toLowerCase()] ?? 2;
if (pa !== pb) return pa - pb;
return new Date(a.executeAt).getTime() - new Date(b.executeAt).getTime();
});
}
export class ScrapeJobsStore {
private ws: WebSocket | null = null;
private jobs = new Map<number, ScrapeJob>();
private _connectionState: ConnectionState = "disconnected";
private _initialized = false;
private onUpdate: () => void;
private reconnectAttempts = 0;
private reconnectTimer: ReturnType<typeof setTimeout> | null = null;
private intentionalClose = false;
/** Cached sorted array, invalidated on data mutations. */
private cachedJobs: ScrapeJob[] = [];
private cacheDirty = false;
constructor(onUpdate: () => void) {
this.onUpdate = onUpdate;
}
getJobs(): ScrapeJob[] {
if (this.cacheDirty) {
this.cachedJobs = sortJobs(this.jobs.values());
this.cacheDirty = false;
}
return this.cachedJobs;
}
getConnectionState(): ConnectionState {
return this._connectionState;
}
isInitialized(): boolean {
return this._initialized;
}
connect(): void {
this.intentionalClose = false;
const protocol = window.location.protocol === "https:" ? "wss:" : "ws:";
const url = `${protocol}//${window.location.host}/api/admin/scrape-jobs/ws`;
try {
this.ws = new WebSocket(url);
} catch {
this.scheduleReconnect();
return;
}
this.ws.onopen = () => {
this._connectionState = "connected";
this.reconnectAttempts = 0;
this.onUpdate();
};
this.ws.onmessage = (event) => {
try {
const parsed = JSON.parse(event.data as string) as ScrapeJobEvent;
this.handleEvent(parsed);
} catch {
// Ignore malformed messages
}
};
this.ws.onclose = () => {
this.ws = null;
if (!this.intentionalClose) {
this.scheduleReconnect();
}
};
this.ws.onerror = () => {
// onclose will fire after onerror, so reconnect is handled there
};
}
handleEvent(event: ScrapeJobEvent): void {
switch (event.type) {
case "init":
this.jobs.clear();
for (const job of event.jobs) {
this.jobs.set(job.id, job);
}
this._initialized = true;
break;
case "jobCreated":
this.jobs.set(event.job.id, event.job);
break;
case "jobLocked": {
const job = this.jobs.get(event.id);
if (job) {
this.jobs.set(event.id, { ...job, lockedAt: event.lockedAt, status: event.status });
}
break;
}
case "jobCompleted":
this.jobs.delete(event.id);
break;
case "jobRetried": {
const job = this.jobs.get(event.id);
if (job) {
this.jobs.set(event.id, {
...job,
retryCount: event.retryCount,
queuedAt: event.queuedAt,
status: event.status,
lockedAt: null,
});
}
break;
}
case "jobExhausted": {
const job = this.jobs.get(event.id);
if (job) {
this.jobs.set(event.id, { ...job, status: "exhausted" });
}
break;
}
case "jobDeleted":
this.jobs.delete(event.id);
break;
}
this.cacheDirty = true;
this.onUpdate();
}
disconnect(): void {
this.intentionalClose = true;
if (this.reconnectTimer !== null) {
clearTimeout(this.reconnectTimer);
this.reconnectTimer = null;
}
if (this.ws) {
this.ws.close();
this.ws = null;
}
this._connectionState = "disconnected";
this.onUpdate();
}
resync(): void {
if (this.ws && this.ws.readyState === WebSocket.OPEN) {
this.ws.send(JSON.stringify({ type: "resync" }));
}
}
/** Attempt to reconnect after being disconnected. Resets attempt counter. */
retry(): void {
this.reconnectAttempts = 0;
this._connectionState = "reconnecting";
this.onUpdate();
this.connect();
}
private scheduleReconnect(): void {
if (this.reconnectAttempts >= MAX_RECONNECT_ATTEMPTS) {
this._connectionState = "disconnected";
this.onUpdate();
return;
}
this._connectionState = "reconnecting";
this.onUpdate();
const delay = Math.min(1000 * 2 ** this.reconnectAttempts, MAX_RECONNECT_DELAY);
this.reconnectAttempts++;
this.reconnectTimer = setTimeout(() => {
this.reconnectTimer = null;
this.connect();
}, delay);
}
}
+33 -4
View File
@@ -3,6 +3,7 @@ import { goto } from "$app/navigation";
import { page } from "$app/state";
import { authStore } from "$lib/auth.svelte";
import PageTransition from "$lib/components/PageTransition.svelte";
import ErrorBoundaryFallback from "$lib/components/ErrorBoundaryFallback.svelte";
import {
ClipboardList,
FileText,
@@ -12,10 +13,32 @@ import {
User,
Users,
} from "@lucide/svelte";
import { onMount } from "svelte";
import { onMount, tick } from "svelte";
let { children } = $props();
// Track boundary reset function so navigation can auto-clear errors
let boundaryReset = $state<(() => void) | null>(null);
let errorPathname = $state<string | null>(null);
function onBoundaryError(e: unknown, reset: () => void) {
console.error("[page boundary]", e);
boundaryReset = reset;
errorPathname = page.url.pathname;
}
// Auto-reset the boundary only when the user navigates away from the errored page
$effect(() => {
const currentPath = page.url.pathname;
if (boundaryReset && errorPathname && currentPath !== errorPathname) {
const reset = boundaryReset;
boundaryReset = null;
errorPathname = null;
tick().then(() => reset());
}
});
onMount(async () => {
if (authStore.isLoading) {
await authStore.init();
@@ -115,9 +138,15 @@ function isActive(href: string): boolean {
<!-- Content -->
<main class="flex-1 min-w-0">
<PageTransition key={page.url.pathname} axis="vertical">
{@render children()}
</PageTransition>
<svelte:boundary onerror={onBoundaryError}>
<PageTransition key={page.url.pathname} axis="vertical">
{@render children()}
</PageTransition>
{#snippet failed(error, reset)}
<ErrorBoundaryFallback title="Page error" {error} {reset} />
{/snippet}
</svelte:boundary>
</main>
</div>
</div>
+347 -91
View File
@@ -1,9 +1,9 @@
<script lang="ts">
import { type ScrapeJob, type ScrapeJobsResponse, client } from "$lib/api";
import SimpleTooltip from "$lib/components/SimpleTooltip.svelte";
import { type ScrapeJob, client } from "$lib/api";
import { FlexRender, createSvelteTable } from "$lib/components/ui/data-table/index.js";
import { formatAbsoluteDate, formatRelativeDate } from "$lib/date";
import { ArrowDown, ArrowUp, ArrowUpDown } from "@lucide/svelte";
import { formatAbsoluteDate } from "$lib/date";
import { formatDuration } from "$lib/time";
import { ArrowDown, ArrowUp, ArrowUpDown, TriangleAlert } from "@lucide/svelte";
import {
type ColumnDef,
type SortingState,
@@ -12,26 +12,116 @@ import {
getSortedRowModel,
} from "@tanstack/table-core";
import { onMount } from "svelte";
import { type ConnectionState, ScrapeJobsStore } from "$lib/ws";
let data = $state<ScrapeJobsResponse | null>(null);
let jobs = $state<ScrapeJob[]>([]);
let connectionState = $state<ConnectionState>("disconnected");
let initialized = $state(false);
let error = $state<string | null>(null);
let sorting: SortingState = $state([]);
let tick = $state(0);
let subjectMap = $state(new Map<string, string>());
onMount(async () => {
try {
data = await client.getAdminScrapeJobs();
} catch (e) {
error = e instanceof Error ? e.message : "Failed to load scrape jobs";
let store: ScrapeJobsStore | undefined;
// Shared tooltip state — single tooltip for all timing cells via event delegation
let tooltipText = $state<string | null>(null);
let tooltipX = $state(0);
let tooltipY = $state(0);
function showTooltip(event: MouseEvent) {
const target = (event.target as HTMLElement).closest<HTMLElement>("[data-timing-tooltip]");
if (!target) return;
tooltipText = target.dataset.timingTooltip ?? null;
tooltipX = event.clientX;
tooltipY = event.clientY;
}
function moveTooltip(event: MouseEvent) {
if (tooltipText === null) return;
const target = (event.target as HTMLElement).closest<HTMLElement>("[data-timing-tooltip]");
if (!target) {
tooltipText = null;
return;
}
tooltipText = target.dataset.timingTooltip ?? null;
tooltipX = event.clientX;
tooltipY = event.clientY;
}
function hideTooltip() {
tooltipText = null;
}
onMount(() => {
// Tick every second for live time displays
const tickInterval = setInterval(() => {
tick++;
}, 1000);
// Load subject reference data
client
.getReference("subject")
.then((entries) => {
const map = new Map<string, string>();
for (const entry of entries) {
map.set(entry.code, entry.description);
}
subjectMap = map;
})
.catch(() => {
// Subject lookup is best-effort
});
// Initialize WebSocket store
store = new ScrapeJobsStore(() => {
if (!store) return;
connectionState = store.getConnectionState();
initialized = store.isInitialized();
// getJobs() returns a cached array when unchanged, so only reassign
// when the reference differs to avoid triggering reactive table rebuilds.
const next = store.getJobs();
if (next !== jobs) jobs = next;
});
store.connect();
return () => {
clearInterval(tickInterval);
store?.disconnect();
};
});
function handleSortingChange(updater: Updater<SortingState>) {
sorting = typeof updater === "function" ? updater(sorting) : updater;
}
// --- Helper functions ---
function formatJobDetails(job: ScrapeJob, subjects: Map<string, string>): string {
const payload = job.targetPayload as Record<string, unknown>;
switch (job.targetType) {
case "Subject": {
const code = payload.subject as string;
const desc = subjects.get(code);
return desc ? `${code} \u2014 ${desc}` : code;
}
case "CrnList": {
const crns = payload.crns as string[];
return `${crns.length} CRNs`;
}
case "SingleCrn":
return `CRN ${payload.crn as string}`;
case "CourseRange":
return `${payload.subject as string} ${payload.low as number}\u2013${payload.high as number}`;
default:
return JSON.stringify(payload);
}
}
function priorityColor(priority: string): string {
const p = priority.toLowerCase();
if (p === "urgent") return "text-red-500";
if (p === "urgent" || p === "critical") return "text-red-500";
if (p === "high") return "text-orange-500";
if (p === "low") return "text-muted-foreground";
return "text-foreground";
}
@@ -42,6 +132,43 @@ function retryColor(retryCount: number, maxRetries: number): string {
return "text-muted-foreground";
}
function statusColor(status: string): { text: string; dot: string } {
switch (status) {
case "processing":
return { text: "text-blue-500", dot: "bg-blue-500" };
case "pending":
return { text: "text-green-500", dot: "bg-green-500" };
case "scheduled":
return { text: "text-muted-foreground", dot: "bg-muted-foreground" };
case "staleLock":
return { text: "text-red-500", dot: "bg-red-500" };
case "exhausted":
return { text: "text-red-500", dot: "bg-red-500" };
default:
return { text: "text-muted-foreground", dot: "bg-muted-foreground" };
}
}
function formatStatusLabel(status: string): string {
// Convert camelCase to separate words, capitalize first letter
return status.replace(/([a-z])([A-Z])/g, "$1 $2").replace(/^\w/, (c) => c.toUpperCase());
}
function lockDurationColor(ms: number): string {
const minutes = ms / 60_000;
if (minutes >= 8) return "text-red-500";
if (minutes >= 5) return "text-amber-500";
return "text-foreground";
}
function overdueDurationColor(ms: number): string {
const minutes = ms / 60_000;
if (minutes >= 5) return "text-red-500";
return "text-amber-500";
}
// --- Table columns ---
const columns: ColumnDef<ScrapeJob, unknown>[] = [
{
id: "id",
@@ -49,53 +176,69 @@ const columns: ColumnDef<ScrapeJob, unknown>[] = [
header: "ID",
enableSorting: false,
},
{
id: "status",
accessorKey: "status",
header: "Status",
enableSorting: true,
sortingFn: (rowA, rowB) => {
const order: Record<string, number> = {
processing: 0,
staleLock: 1,
pending: 2,
scheduled: 3,
exhausted: 4,
};
const a = order[rowA.original.status] ?? 3;
const b = order[rowB.original.status] ?? 3;
return a - b;
},
},
{
id: "targetType",
accessorKey: "targetType",
header: "Type",
enableSorting: false,
},
{
id: "details",
accessorFn: () => "",
header: "Details",
enableSorting: false,
},
{
id: "priority",
accessorKey: "priority",
header: "Priority",
enableSorting: true,
sortingFn: (rowA, rowB) => {
const order: Record<string, number> = { urgent: 0, high: 1, normal: 2, low: 3 };
const order: Record<string, number> = {
critical: 0,
urgent: 0,
high: 1,
normal: 2,
medium: 2,
low: 3,
};
const a = order[String(rowA.original.priority).toLowerCase()] ?? 2;
const b = order[String(rowB.original.priority).toLowerCase()] ?? 2;
return a - b;
},
},
{
id: "executeAt",
accessorKey: "executeAt",
header: "Execute At",
enableSorting: true,
},
{
id: "createdAt",
accessorKey: "createdAt",
header: "Created At",
enableSorting: false,
},
{
id: "retries",
accessorFn: (row) => row.retryCount,
header: "Retries",
enableSorting: false,
},
{
id: "status",
accessorFn: (row) => (row.lockedAt ? "Locked" : "Pending"),
header: "Status",
id: "timing",
accessorFn: (row) => {
if (row.lockedAt) return Date.now() - new Date(row.lockedAt).getTime();
return Date.now() - new Date(row.queuedAt).getTime();
},
header: "Timing",
enableSorting: true,
},
];
const table = createSvelteTable({
get data() {
return data?.jobs ?? [];
return jobs;
},
getRowId: (row) => String(row.id),
columns,
@@ -111,29 +254,138 @@ const table = createSvelteTable({
});
const skeletonWidths: Record<string, string> = {
id: "w-8",
targetType: "w-16",
priority: "w-16",
executeAt: "w-28",
createdAt: "w-28",
retries: "w-12",
id: "w-6",
status: "w-20",
targetType: "w-16",
details: "w-32",
priority: "w-16",
timing: "w-32",
};
// Unified timing display: shows the most relevant duration for the job's current state.
// Uses _tick dependency so Svelte re-evaluates every second.
function getTimingDisplay(
job: ScrapeJob,
_tick: number
): { text: string; colorClass: string; icon: "warning" | "none"; tooltip: string } {
const now = Date.now();
const queuedTime = new Date(job.queuedAt).getTime();
const executeTime = new Date(job.executeAt).getTime();
if (job.status === "processing" || job.status === "staleLock") {
const lockedTime = job.lockedAt ? new Date(job.lockedAt).getTime() : now;
const processingMs = now - lockedTime;
const waitedMs = lockedTime - queuedTime;
const prefix = job.status === "staleLock" ? "stale" : "processing";
const colorClass =
job.status === "staleLock" ? "text-red-500" : lockDurationColor(processingMs);
const tooltipLines = [
`Queued: ${formatAbsoluteDate(job.queuedAt)}`,
`Waited: ${formatDuration(Math.max(0, waitedMs))}`,
`Locked: ${formatAbsoluteDate(job.lockedAt)}`,
`${job.status === "staleLock" ? "Stale for" : "Processing"}: ${formatDuration(processingMs)}`,
];
return {
text: `${prefix} ${formatDuration(processingMs)}`,
colorClass,
icon: job.status === "staleLock" ? "warning" : "none",
tooltip: tooltipLines.join("\n"),
};
}
if (job.status === "exhausted") {
const tooltipLines = [
`Queued: ${formatAbsoluteDate(job.queuedAt)}`,
`Retries: ${job.retryCount}/${job.maxRetries} exhausted`,
];
return {
text: "exhausted",
colorClass: "text-red-500",
icon: "warning",
tooltip: tooltipLines.join("\n"),
};
}
// Scheduled (future execute_at)
const executeAtDiff = now - executeTime;
if (job.status === "scheduled" || executeAtDiff < 0) {
const tooltipLines = [
`Queued: ${formatAbsoluteDate(job.queuedAt)}`,
`Executes: ${formatAbsoluteDate(job.executeAt)}`,
];
return {
text: `in ${formatDuration(Math.abs(executeAtDiff))}`,
colorClass: "text-muted-foreground",
icon: "none",
tooltip: tooltipLines.join("\n"),
};
}
// Pending (overdue — execute_at is in the past, waiting to be picked up)
const waitingMs = now - queuedTime;
const tooltipLines = [
`Queued: ${formatAbsoluteDate(job.queuedAt)}`,
`Waiting: ${formatDuration(waitingMs)}`,
];
return {
text: `waiting ${formatDuration(waitingMs)}`,
colorClass: overdueDurationColor(waitingMs),
icon: "warning",
tooltip: tooltipLines.join("\n"),
};
}
</script>
<h1 class="mb-4 text-lg font-semibold text-foreground">Scrape Jobs</h1>
<div class="flex items-center justify-between mb-4">
<h1 class="text-lg font-semibold text-foreground">Scrape Jobs</h1>
<div class="flex items-center gap-2 text-sm">
{#if connectionState === "connected"}
<span class="inline-flex items-center gap-1.5">
<span class="size-2 shrink-0 rounded-full bg-green-500"></span>
<span class="text-green-500">Live</span>
</span>
{:else if connectionState === "reconnecting"}
<span class="inline-flex items-center gap-1.5">
<span class="size-2 shrink-0 rounded-full bg-amber-500"></span>
<span class="text-amber-500">Reconnecting...</span>
</span>
{:else}
<span class="inline-flex items-center gap-2">
<span class="inline-flex items-center gap-1.5">
<span class="size-2 shrink-0 rounded-full bg-red-500"></span>
<span class="text-red-500">Disconnected</span>
</span>
<button
class="rounded-md bg-muted px-2 py-0.5 text-xs font-medium text-foreground hover:bg-muted/80 transition-colors"
onclick={() => store?.retry()}
>
Retry
</button>
</span>
{/if}
</div>
</div>
{#if error}
<p class="text-destructive">{error}</p>
{:else}
<div class="bg-card border-border overflow-hidden rounded-lg border">
<table class="w-full border-collapse text-sm">
<!-- svelte-ignore a11y_no_noninteractive_element_interactions -->
<table
class="w-full border-collapse text-xs"
onmouseenter={showTooltip}
onmousemove={moveTooltip}
onmouseleave={hideTooltip}
>
<thead>
{#each table.getHeaderGroups() as headerGroup}
<tr class="border-b border-border text-left text-muted-foreground">
{#each headerGroup.headers as header}
<th
class="px-4 py-3 font-medium"
class="px-3 py-2.5 font-medium whitespace-nowrap"
class:cursor-pointer={header.column.getCanSort()}
class:select-none={header.column.getCanSort()}
onclick={header.column.getToggleSortingHandler()}
@@ -169,21 +421,21 @@ const skeletonWidths: Record<string, string> = {
</tr>
{/each}
</thead>
{#if !data}
{#if !initialized}
<tbody>
{#each Array(5) as _}
<tr class="border-b border-border">
{#each columns as col}
<td class="px-4 py-3">
<td class="px-3 py-2.5">
<div
class="h-4 rounded bg-muted animate-pulse {skeletonWidths[col.id ?? ''] ?? 'w-20'}"
class="h-3.5 rounded bg-muted animate-pulse {skeletonWidths[col.id ?? ''] ?? 'w-20'}"
></div>
</td>
{/each}
</tr>
{/each}
</tbody>
{:else if data.jobs.length === 0}
{:else if jobs.length === 0}
<tbody>
<tr>
<td colspan={columns.length} class="py-12 text-center text-muted-foreground">
@@ -193,68 +445,63 @@ const skeletonWidths: Record<string, string> = {
</tbody>
{:else}
<tbody>
{#each table.getRowModel().rows as row}
{#each table.getRowModel().rows as row (row.id)}
{@const job = row.original}
<tr class="border-b border-border last:border-b-0 hover:bg-muted/50 transition-colors">
{@const sc = statusColor(job.status)}
{@const timingDisplay = getTimingDisplay(job, tick)}
<tr
class="border-b border-border last:border-b-0 hover:bg-muted/50 transition-colors"
>
{#each row.getVisibleCells() as cell (cell.id)}
{@const colId = cell.column.id}
{#if colId === "id"}
<td class="px-4 py-3 tabular-nums text-muted-foreground">{job.id}</td>
<td class="px-3 py-2.5 tabular-nums text-muted-foreground/70 w-12">{job.id}</td>
{:else if colId === "status"}
<td class="px-3 py-2.5 whitespace-nowrap">
<span class="inline-flex items-center gap-1.5">
<span class="size-1.5 shrink-0 rounded-full {sc.dot}"></span>
<span class="flex flex-col leading-tight">
<span class={sc.text}>{formatStatusLabel(job.status)}</span>
{#if job.maxRetries > 0}
<span class="text-[10px] {retryColor(job.retryCount, job.maxRetries)}">
{job.retryCount}/{job.maxRetries} retries
</span>
{/if}
</span>
</span>
</td>
{:else if colId === "targetType"}
<td class="px-4 py-3">
<td class="px-3 py-2.5 whitespace-nowrap">
<span
class="inline-flex items-center rounded-md bg-muted/60 px-2 py-0.5 font-mono text-xs text-muted-foreground"
class="inline-flex items-center rounded-md bg-muted/60 px-1.5 py-0.5 font-mono text-[11px] text-muted-foreground"
>
{job.targetType}
</span>
</td>
{:else if colId === "details"}
<td class="px-3 py-2.5 max-w-48 truncate text-muted-foreground" title={formatJobDetails(job, subjectMap)}>
{formatJobDetails(job, subjectMap)}
</td>
{:else if colId === "priority"}
<td class="px-4 py-3">
<td class="px-3 py-2.5 whitespace-nowrap">
<span class="font-medium capitalize {priorityColor(job.priority)}">
{job.priority}
</span>
</td>
{:else if colId === "executeAt"}
<td class="px-4 py-3">
<SimpleTooltip text={formatAbsoluteDate(job.executeAt)} passthrough>
<span class="text-muted-foreground">
{formatRelativeDate(job.executeAt)}
{:else if colId === "timing"}
<td class="px-3 py-2.5 whitespace-nowrap">
<span
class="inline-flex items-center gap-1.5 tabular-nums text-foreground"
data-timing-tooltip={timingDisplay.tooltip}
>
<span class="size-3.5 shrink-0 inline-flex items-center justify-center {timingDisplay.colorClass}">
{#if timingDisplay.icon === "warning"}
<TriangleAlert class="size-3.5" />
{/if}
</span>
</SimpleTooltip>
</td>
{:else if colId === "createdAt"}
<td class="px-4 py-3">
<SimpleTooltip text={formatAbsoluteDate(job.createdAt)} passthrough>
<span class="text-muted-foreground">
{formatRelativeDate(job.createdAt)}
</span>
</SimpleTooltip>
</td>
{:else if colId === "retries"}
<td class="px-4 py-3">
<span class="tabular-nums {retryColor(job.retryCount, job.maxRetries)}">
{job.retryCount}/{job.maxRetries}
{timingDisplay.text}
</span>
</td>
{:else if colId === "status"}
<td class="px-4 py-3">
{#if job.lockedAt}
<SimpleTooltip
text="Locked since {formatAbsoluteDate(job.lockedAt)}"
passthrough
>
<span class="inline-flex items-center gap-1.5">
<span class="size-2 shrink-0 rounded-full bg-amber-500"></span>
<span class="text-amber-500">Locked</span>
</span>
</SimpleTooltip>
{:else}
<span class="inline-flex items-center gap-1.5">
<span class="size-2 shrink-0 rounded-full bg-green-500"></span>
<span class="text-green-500">Pending</span>
</span>
{/if}
</td>
{/if}
{/each}
</tr>
@@ -263,4 +510,13 @@ const skeletonWidths: Record<string, string> = {
{/if}
</table>
</div>
{#if tooltipText !== null}
<div
class="pointer-events-none fixed z-50 bg-card text-card-foreground text-xs border border-border rounded-md px-2.5 py-1.5 shadow-sm whitespace-pre-line max-w-max text-left"
style="left: {tooltipX + 12}px; top: {tooltipY + 12}px;"
>
{tooltipText}
</div>
{/if}
{/if}
+10 -3
View File
@@ -8,6 +8,7 @@ import { useOverlayScrollbars } from "$lib/composables/useOverlayScrollbars.svel
import { initNavigation } from "$lib/stores/navigation.svelte";
import { themeStore } from "$lib/stores/theme.svelte";
import { Tooltip } from "bits-ui";
import ErrorBoundaryFallback from "$lib/components/ErrorBoundaryFallback.svelte";
import { onMount } from "svelte";
let { children } = $props();
@@ -40,8 +41,14 @@ onMount(() => {
<div class="flex min-h-screen flex-col">
<NavBar />
<PageTransition key={transitionKey}>
{@render children()}
</PageTransition>
<svelte:boundary onerror={(e) => console.error("[root boundary]", e)}>
<PageTransition key={transitionKey}>
{@render children()}
</PageTransition>
{#snippet failed(error, reset)}
<ErrorBoundaryFallback {error} {reset} />
{/snippet}
</svelte:boundary>
</div>
</Tooltip.Provider>