File size: 9,862 Bytes
8b41737 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 | import { useState, useCallback, useEffect, useMemo } from "react";
import type { DatasetInfo, QuestionData, Preset, FilterMode } from "./types";
import { api } from "./api";
interface GroupIndices {
questionIdx: number;
sampleIdx: number;
}
export function useAppState() {
const [datasets, setDatasets] = useState<DatasetInfo[]>([]);
const [presets, setPresets] = useState<Preset[]>([]);
const [filter, setFilter] = useState<FilterMode>("all");
const [questionDataMap, setQuestionDataMap] = useState<Record<string, QuestionData>>({});
const [loading, setLoading] = useState<Record<string, boolean>>({});
const [error, setError] = useState<string | null>(null);
// Per-group navigation indices
const [groupIndices, setGroupIndices] = useState<Record<string, GroupIndices>>({});
// Which group is currently displayed (fingerprint)
const [currentGroupId, setCurrentGroupId] = useState<string | null>(null);
// Load presets on mount
useEffect(() => {
api.listPresets().then(setPresets).catch(() => {});
}, []);
// Sync URL state on mount
useEffect(() => {
const params = new URLSearchParams(window.location.search);
const q = parseInt(params.get("q") || "0");
const s = parseInt(params.get("s") || "0");
const f = (params.get("filter") || "all") as FilterMode;
setFilter(f);
// q and s will be applied once the first group is set
if (!isNaN(q) || !isNaN(s)) {
// Store initial URL indices to apply to first group loaded
(window as unknown as Record<string, unknown>).__initialQ = isNaN(q) ? 0 : q;
(window as unknown as Record<string, unknown>).__initialS = isNaN(s) ? 0 : s;
}
}, []);
// Derive groups from datasets by fingerprint
const groups = useMemo(() => {
const map: Record<string, DatasetInfo[]> = {};
for (const ds of datasets) {
const fp = ds.questionFingerprint;
if (!map[fp]) map[fp] = [];
map[fp].push(ds);
}
return map;
}, [datasets]);
const groupIds = useMemo(() => Object.keys(groups).sort(), [groups]);
// Auto-set currentGroupId if not set or invalid
useEffect(() => {
if (currentGroupId && groups[currentGroupId]) return;
// Pick first group that has active datasets, or first group overall
const activeGroup = groupIds.find(gid => groups[gid].some(d => d.active));
if (activeGroup) {
setCurrentGroupId(activeGroup);
} else if (groupIds.length > 0) {
setCurrentGroupId(groupIds[0]);
} else {
setCurrentGroupId(null);
}
}, [groupIds, groups, currentGroupId]);
// Active datasets = active datasets in current group
const activeDatasets = useMemo(
() => datasets.filter(d => d.active && d.questionFingerprint === currentGroupId),
[datasets, currentGroupId]
);
// Panel ordering: track display order of active dataset IDs
const [panelOrder, setPanelOrder] = useState<string[]>([]);
// Keep panelOrder in sync with activeDatasets: add new IDs at end, remove stale ones
useEffect(() => {
const activeIds = new Set(activeDatasets.map(d => d.id));
setPanelOrder(prev => {
const kept = prev.filter(id => activeIds.has(id));
const newIds = activeDatasets.map(d => d.id).filter(id => !prev.includes(id));
const merged = [...kept, ...newIds];
// Only update if changed to avoid unnecessary renders
if (merged.length === prev.length && merged.every((id, i) => id === prev[i])) return prev;
return merged;
});
}, [activeDatasets]);
// Ordered active datasets according to panelOrder
const orderedActiveDatasets = useMemo(() => {
const map = new Map(activeDatasets.map(d => [d.id, d]));
return panelOrder.map(id => map.get(id)).filter((d): d is DatasetInfo => d !== undefined);
}, [activeDatasets, panelOrder]);
const reorderPanels = useCallback((fromId: string, toId: string) => {
if (fromId === toId) return;
setPanelOrder(prev => {
const order = [...prev];
const fromIdx = order.indexOf(fromId);
const toIdx = order.indexOf(toId);
if (fromIdx === -1 || toIdx === -1) return prev;
order.splice(fromIdx, 1);
order.splice(toIdx, 0, fromId);
return order;
});
}, []);
// Current group's indices
const currentIndices = currentGroupId ? groupIndices[currentGroupId] : undefined;
const questionIdx = currentIndices?.questionIdx ?? 0;
const sampleIdx = currentIndices?.sampleIdx ?? 0;
const setQuestionIdx = useCallback((val: number | ((prev: number) => number)) => {
if (!currentGroupId) return;
setGroupIndices(prev => {
const cur = prev[currentGroupId] ?? { questionIdx: 0, sampleIdx: 0 };
const newQ = typeof val === "function" ? val(cur.questionIdx) : val;
return { ...prev, [currentGroupId]: { ...cur, questionIdx: newQ } };
});
}, [currentGroupId]);
const setSampleIdx = useCallback((val: number | ((prev: number) => number)) => {
if (!currentGroupId) return;
setGroupIndices(prev => {
const cur = prev[currentGroupId] ?? { questionIdx: 0, sampleIdx: 0 };
const newS = typeof val === "function" ? val(cur.sampleIdx) : val;
return { ...prev, [currentGroupId]: { ...cur, sampleIdx: newS } };
});
}, [currentGroupId]);
// Update URL when state changes
useEffect(() => {
const params = new URLSearchParams();
const activeRepos = datasets.filter((d) => d.active);
if (activeRepos.length > 0) {
params.set("repos", activeRepos.map((d) => d.repo).join(","));
params.set("cols", activeRepos.map((d) => d.column).join(","));
params.set("pcols", activeRepos.map((d) => d.promptColumn || "formatted_prompt").join(","));
}
params.set("q", String(questionIdx));
params.set("s", String(sampleIdx));
if (filter !== "all") params.set("filter", filter);
const newUrl = `${window.location.pathname}?${params.toString()}`;
window.history.replaceState({}, "", newUrl);
}, [datasets, questionIdx, sampleIdx, filter]);
// Fetch question data for active datasets in current group when question changes
useEffect(() => {
activeDatasets.forEach((ds) => {
const key = `${ds.id}:${questionIdx}`;
if (!questionDataMap[key]) {
api.getQuestion(ds.id, questionIdx).then((data) => {
setQuestionDataMap((prev) => ({ ...prev, [key]: data }));
}).catch(() => {});
}
});
}, [questionIdx, activeDatasets]);
const addDataset = useCallback(async (
repo: string, column?: string, split?: string, promptColumn?: string,
presetId?: string, presetName?: string,
) => {
setLoading((prev) => ({ ...prev, [repo]: true }));
setError(null);
try {
const { question_fingerprint, ...rest } = await api.loadDataset(repo, column, split, promptColumn);
const fp = question_fingerprint ?? "";
const dsInfo: DatasetInfo = {
...rest,
questionFingerprint: fp,
active: true,
presetId,
presetName,
};
setDatasets((prev) => {
if (prev.some((d) => d.id === dsInfo.id)) return prev;
return [...prev, dsInfo];
});
// Initialize group indices if new group, or inherit existing
setGroupIndices(prev => {
if (prev[fp]) return prev; // Group already exists, new repo inherits its indices
// New group — check for initial URL params or start at 0
const win = window as unknown as Record<string, unknown>;
const initQ = typeof win.__initialQ === "number" ? win.__initialQ : 0;
const initS = typeof win.__initialS === "number" ? win.__initialS : 0;
// Only use initial params for the very first group
const isFirstGroup = Object.keys(prev).length === 0;
return {
...prev,
[fp]: { questionIdx: isFirstGroup ? initQ : 0, sampleIdx: isFirstGroup ? initS : 0 },
};
});
// Switch to the new dataset's group
setCurrentGroupId(fp);
} catch (e: unknown) {
setError(e instanceof Error ? e.message : "Failed to load dataset");
} finally {
setLoading((prev) => ({ ...prev, [repo]: false }));
}
}, []);
const removeDataset = useCallback(async (id: string) => {
await api.unloadDataset(id).catch(() => {});
setDatasets((prev) => prev.filter((d) => d.id !== id));
}, []);
const toggleDataset = useCallback((id: string) => {
setDatasets((prev) => {
const updated = prev.map((d) => (d.id === id ? { ...d, active: !d.active } : d));
// If toggling ON a dataset from a different group, switch to that group
const toggled = updated.find(d => d.id === id);
if (toggled && toggled.active) {
setCurrentGroupId(toggled.questionFingerprint);
}
return updated;
});
}, []);
const updateDatasetPresetName = useCallback((dsId: string, name: string) => {
setDatasets(prev => prev.map(d => d.id === dsId ? { ...d, presetName: name } : d));
}, []);
const clearDatasetPreset = useCallback((dsId: string) => {
setDatasets(prev => prev.map(d => d.id === dsId ? { ...d, presetId: undefined, presetName: undefined } : d));
}, []);
const maxQuestions = Math.min(...activeDatasets.map((d) => d.n_rows), Infinity);
const maxSamples = Math.max(...activeDatasets.map((d) => d.n_samples), 0);
const getQuestionData = (dsId: string): QuestionData | undefined => {
return questionDataMap[`${dsId}:${questionIdx}`];
};
return {
datasets, presets, setPresets,
questionIdx, setQuestionIdx,
sampleIdx, setSampleIdx,
filter, setFilter,
loading, error, setError,
activeDatasets, orderedActiveDatasets, maxQuestions, maxSamples,
addDataset, removeDataset, toggleDataset,
updateDatasetPresetName, clearDatasetPreset,
getQuestionData, reorderPanels,
// Group state
groups, groupIds, currentGroupId, setCurrentGroupId,
};
}
|