366 lines
11 KiB
TypeScript
366 lines
11 KiB
TypeScript
import type { UseInfiniteQueryResult } from '@tanstack/react-query';
|
|
|
|
import { useDataTableColumnVisibility } from '@/components/ui/data-table/data-table-hooks';
|
|
import type { RouterInputs, RouterOutputs } from '@/trpc/client';
|
|
import { useLocalStorage } from 'usehooks-ts';
|
|
import { useColumns } from './columns';
|
|
|
|
// Custom hook for persistent column visibility
|
|
const usePersistentColumnVisibility = (columns: any[]) => {
|
|
const [savedVisibility, setSavedVisibility] = useLocalStorage<
|
|
Record<string, boolean>
|
|
>('@op:sessions-table-column-visibility', {});
|
|
|
|
// Create column visibility from saved state, defaulting to true (visible)
|
|
const columnVisibility = useMemo(() => {
|
|
return columns.reduce(
|
|
(acc, column) => {
|
|
const columnId = column.id || column.accessorKey;
|
|
if (columnId) {
|
|
acc[columnId] = savedVisibility[columnId] ?? true;
|
|
}
|
|
return acc;
|
|
},
|
|
{} as Record<string, boolean>,
|
|
);
|
|
}, [columns, savedVisibility]);
|
|
|
|
const handleColumnVisibilityChange = (updater: any) => {
|
|
const newVisibility =
|
|
typeof updater === 'function' ? updater(columnVisibility) : updater;
|
|
setSavedVisibility(newVisibility);
|
|
};
|
|
|
|
return {
|
|
columnVisibility,
|
|
setColumnVisibility: handleColumnVisibilityChange,
|
|
};
|
|
};
|
|
|
|
import { FullPageEmptyState } from '@/components/full-page-empty-state';
|
|
import { Skeleton } from '@/components/skeleton';
|
|
import {
|
|
AnimatedSearchInput,
|
|
DataTableToolbarContainer,
|
|
} from '@/components/ui/data-table/data-table-toolbar';
|
|
import { DataTableViewOptions } from '@/components/ui/data-table/data-table-view-options';
|
|
import { useAppParams } from '@/hooks/use-app-params';
|
|
import { useSearchQueryState } from '@/hooks/use-search-query-state';
|
|
import { arePropsEqual } from '@/utils/are-props-equal';
|
|
import { cn } from '@/utils/cn';
|
|
import type { IServiceSession } from '@openpanel/db';
|
|
import { useNavigate } from '@tanstack/react-router';
|
|
import type { Table } from '@tanstack/react-table';
|
|
import { getCoreRowModel, useReactTable } from '@tanstack/react-table';
|
|
import { useWindowVirtualizer } from '@tanstack/react-virtual';
|
|
import type { TRPCInfiniteData } from '@trpc/tanstack-react-query';
|
|
import { Loader2Icon } from 'lucide-react';
|
|
import { last } from 'ramda';
|
|
import { memo, useCallback, useEffect, useMemo, useRef, useState } from 'react';
|
|
import { useInViewport } from 'react-in-viewport';
|
|
|
|
type Props = {
|
|
query: UseInfiniteQueryResult<
|
|
TRPCInfiniteData<
|
|
RouterInputs['session']['list'],
|
|
RouterOutputs['session']['list']
|
|
>,
|
|
unknown
|
|
>;
|
|
};
|
|
|
|
const LOADING_DATA = [{}, {}, {}, {}, {}, {}, {}, {}, {}] as IServiceSession[];
|
|
const ROW_HEIGHT = 40;
|
|
|
|
interface VirtualizedSessionsTableProps {
|
|
table: Table<IServiceSession>;
|
|
data: IServiceSession[];
|
|
isLoading: boolean;
|
|
}
|
|
|
|
interface VirtualRowProps {
|
|
row: any;
|
|
virtualRow: any;
|
|
headerColumns: any[];
|
|
scrollMargin: number;
|
|
isLoading: boolean;
|
|
headerColumnsHash: string;
|
|
onRowClick?: (row: any) => void;
|
|
}
|
|
|
|
const VirtualRow = memo(
|
|
function VirtualRow({
|
|
row,
|
|
virtualRow,
|
|
headerColumns,
|
|
scrollMargin,
|
|
isLoading,
|
|
onRowClick,
|
|
}: VirtualRowProps) {
|
|
return (
|
|
<div
|
|
data-index={virtualRow.index}
|
|
ref={virtualRow.measureElement}
|
|
className={cn(
|
|
'absolute top-0 left-0 w-full border-b hover:bg-muted/50 transition-colors group/row',
|
|
onRowClick && 'cursor-pointer',
|
|
)}
|
|
onClick={
|
|
onRowClick
|
|
? (e) => {
|
|
if ((e.target as HTMLElement).closest('a, button')) return;
|
|
onRowClick(row);
|
|
}
|
|
: undefined
|
|
}
|
|
style={{
|
|
transform: `translateY(${virtualRow.start - scrollMargin}px)`,
|
|
display: 'grid',
|
|
gridTemplateColumns: headerColumns
|
|
.map((col) => `${col.getSize()}px`)
|
|
.join(' '),
|
|
minWidth: 'fit-content',
|
|
minHeight: ROW_HEIGHT,
|
|
}}
|
|
>
|
|
{row.getVisibleCells().map((cell: any) => {
|
|
const width = `${cell.column.getSize()}px`;
|
|
return (
|
|
<div
|
|
key={cell.id}
|
|
className="flex items-center p-2 px-4 align-middle whitespace-nowrap"
|
|
style={{
|
|
width,
|
|
overflow: 'hidden',
|
|
}}
|
|
>
|
|
{isLoading ? (
|
|
<Skeleton className="h-4 w-3/5" />
|
|
) : cell.column.columnDef.cell ? (
|
|
typeof cell.column.columnDef.cell === 'function' ? (
|
|
cell.column.columnDef.cell(cell.getContext())
|
|
) : (
|
|
cell.column.columnDef.cell
|
|
)
|
|
) : (
|
|
(cell.getValue() as React.ReactNode)
|
|
)}
|
|
</div>
|
|
);
|
|
})}
|
|
</div>
|
|
);
|
|
},
|
|
(prevProps, nextProps) => {
|
|
return (
|
|
prevProps.row.id === nextProps.row.id &&
|
|
prevProps.virtualRow.index === nextProps.virtualRow.index &&
|
|
prevProps.virtualRow.start === nextProps.virtualRow.start &&
|
|
prevProps.virtualRow.size === nextProps.virtualRow.size &&
|
|
prevProps.isLoading === nextProps.isLoading &&
|
|
prevProps.headerColumnsHash === nextProps.headerColumnsHash &&
|
|
prevProps.onRowClick === nextProps.onRowClick
|
|
);
|
|
},
|
|
);
|
|
|
|
const VirtualizedSessionsTable = ({
|
|
table,
|
|
data,
|
|
isLoading,
|
|
onRowClick,
|
|
}: VirtualizedSessionsTableProps & { onRowClick?: (row: any) => void }) => {
|
|
const parentRef = useRef<HTMLDivElement>(null);
|
|
|
|
const headerColumns = table.getAllLeafColumns().filter((col) => {
|
|
return table.getState().columnVisibility[col.id] !== false;
|
|
});
|
|
|
|
const rowVirtualizer = useWindowVirtualizer({
|
|
count: data.length,
|
|
estimateSize: () => ROW_HEIGHT, // Estimated row height
|
|
overscan: 10,
|
|
scrollMargin: parentRef.current?.offsetTop ?? 0,
|
|
});
|
|
|
|
const virtualRows = rowVirtualizer.getVirtualItems();
|
|
const headerColumnsHash = headerColumns.map((col) => col.id).join(',');
|
|
|
|
return (
|
|
<div
|
|
ref={parentRef}
|
|
className="w-full overflow-x-auto border rounded-md bg-card"
|
|
>
|
|
{/* Table Header */}
|
|
<div
|
|
className="sticky top-0 z-10 bg-card border-b"
|
|
style={{
|
|
display: 'grid',
|
|
gridTemplateColumns: headerColumns
|
|
.map((col) => `${col.getSize()}px`)
|
|
.join(' '),
|
|
minWidth: 'fit-content',
|
|
}}
|
|
>
|
|
{headerColumns.map((column) => {
|
|
const header = column.columnDef.header;
|
|
const width = `${column.getSize()}px`;
|
|
return (
|
|
<div
|
|
key={column.id}
|
|
className="flex items-center h-10 px-4 text-left text-[10px] uppercase text-foreground font-semibold whitespace-nowrap"
|
|
style={{
|
|
width,
|
|
}}
|
|
>
|
|
{typeof header === 'function' ? header({} as any) : header}
|
|
</div>
|
|
);
|
|
})}
|
|
</div>
|
|
|
|
{!isLoading && data.length === 0 && (
|
|
<FullPageEmptyState
|
|
title="No sessions found"
|
|
description="Looks like you haven't inserted any events yet."
|
|
/>
|
|
)}
|
|
|
|
{/* Table Body */}
|
|
<div
|
|
className="relative w-full"
|
|
style={{
|
|
height: `${rowVirtualizer.getTotalSize()}px`,
|
|
minHeight: 'fit-content',
|
|
minWidth: 'fit-content',
|
|
}}
|
|
>
|
|
{virtualRows.map((virtualRow) => {
|
|
const row = table.getRowModel().rows[virtualRow.index];
|
|
if (!row) return null;
|
|
|
|
return (
|
|
<VirtualRow
|
|
key={row.id}
|
|
row={row}
|
|
virtualRow={{
|
|
...virtualRow,
|
|
measureElement: rowVirtualizer.measureElement,
|
|
}}
|
|
headerColumns={headerColumns}
|
|
headerColumnsHash={headerColumnsHash}
|
|
scrollMargin={rowVirtualizer.options.scrollMargin}
|
|
isLoading={isLoading}
|
|
onRowClick={onRowClick}
|
|
/>
|
|
);
|
|
})}
|
|
</div>
|
|
</div>
|
|
);
|
|
};
|
|
|
|
export const SessionsTable = ({ query }: Props) => {
|
|
const { isLoading } = query;
|
|
const columns = useColumns();
|
|
const navigate = useNavigate();
|
|
const { organizationId, projectId } = useAppParams();
|
|
|
|
const handleRowClick = useCallback(
|
|
(row: any) => {
|
|
navigate({
|
|
to: '/$organizationId/$projectId/sessions/$sessionId' as any,
|
|
params: { organizationId, projectId, sessionId: row.original.id },
|
|
});
|
|
},
|
|
[navigate, organizationId, projectId],
|
|
);
|
|
|
|
const data = useMemo(() => {
|
|
if (isLoading) {
|
|
return LOADING_DATA;
|
|
}
|
|
|
|
return query.data?.pages?.flatMap((p) => p.data) ?? [];
|
|
}, [query.data]);
|
|
|
|
// const { setPage, state: pagination } = useDataTablePagination();
|
|
const { columnVisibility, setColumnVisibility } =
|
|
usePersistentColumnVisibility(columns);
|
|
|
|
const table = useReactTable({
|
|
data,
|
|
getCoreRowModel: getCoreRowModel(),
|
|
manualPagination: true,
|
|
manualFiltering: true,
|
|
manualSorting: true,
|
|
columns,
|
|
rowCount: 50,
|
|
pageCount: 1,
|
|
filterFns: {
|
|
isWithinRange: () => true,
|
|
},
|
|
state: {
|
|
columnVisibility,
|
|
},
|
|
onColumnVisibilityChange: setColumnVisibility,
|
|
getRowId: (row, index) => row.id ?? `loading-${index}`,
|
|
});
|
|
|
|
const inViewportRef = useRef<HTMLDivElement>(null);
|
|
const { inViewport, enterCount } = useInViewport(inViewportRef, undefined, {
|
|
disconnectOnLeave: true,
|
|
});
|
|
|
|
const hasNextPage = last(query.data?.pages ?? [])?.meta.next;
|
|
|
|
useEffect(() => {
|
|
if (
|
|
hasNextPage &&
|
|
data.length > 0 &&
|
|
inViewport &&
|
|
enterCount > 0 &&
|
|
query.isFetchingNextPage === false
|
|
) {
|
|
console.log('fetching next page');
|
|
query.fetchNextPage();
|
|
}
|
|
}, [inViewport, enterCount, hasNextPage]);
|
|
|
|
return (
|
|
<>
|
|
<SessionTableToolbar table={table} />
|
|
<VirtualizedSessionsTable
|
|
table={table}
|
|
data={data}
|
|
isLoading={isLoading}
|
|
onRowClick={handleRowClick}
|
|
/>
|
|
<div className="w-full h-10 center-center pt-4" ref={inViewportRef}>
|
|
<div
|
|
className={cn(
|
|
'size-8 bg-background rounded-full center-center border opacity-0 transition-opacity',
|
|
query.isFetchingNextPage && 'opacity-100',
|
|
)}
|
|
>
|
|
<Loader2Icon className="size-4 animate-spin" />
|
|
</div>
|
|
</div>
|
|
</>
|
|
);
|
|
};
|
|
|
|
function SessionTableToolbar({ table }: { table: Table<IServiceSession> }) {
|
|
const { search, setSearch } = useSearchQueryState();
|
|
return (
|
|
<DataTableToolbarContainer>
|
|
<AnimatedSearchInput
|
|
placeholder="Search sessions by path, referrer..."
|
|
value={search}
|
|
onChange={setSearch}
|
|
/>
|
|
<DataTableViewOptions table={table} />
|
|
</DataTableToolbarContainer>
|
|
);
|
|
}
|