@hienlh/ppm 0.7.41 → 0.8.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/CHANGELOG.md +19 -0
- package/dist/web/assets/chat-tab-LTwYS5_e.js +7 -0
- package/dist/web/assets/{code-editor-CaKnPjkU.js → code-editor-BakDn6rL.js} +1 -1
- package/dist/web/assets/{database-viewer-DUAq3r2M.js → database-viewer-COaZMlpv.js} +1 -1
- package/dist/web/assets/{diff-viewer-C6w7tDMN.js → diff-viewer-COSbmidI.js} +1 -1
- package/dist/web/assets/git-graph-CKoW0Ky-.js +1 -0
- package/dist/web/assets/index-BGTzm7B1.js +28 -0
- package/dist/web/assets/index-CeNox-VV.css +2 -0
- package/dist/web/assets/input-CE3bFwLk.js +41 -0
- package/dist/web/assets/keybindings-store-FQhxQ72s.js +1 -0
- package/dist/web/assets/{markdown-renderer-Ckj0mfYc.js → markdown-renderer-BKgH2iGf.js} +1 -1
- package/dist/web/assets/{postgres-viewer-m6qNfnAF.js → postgres-viewer-DBOv2ha2.js} +1 -1
- package/dist/web/assets/settings-tab-BZqkWI4u.js +1 -0
- package/dist/web/assets/{sqlite-viewer-6d233-2k.js → sqlite-viewer-BY242odW.js} +1 -1
- package/dist/web/assets/switch-BEmt1alu.js +1 -0
- package/dist/web/assets/{terminal-tab-BaHGzGJ6.js → terminal-tab-BiUqECPk.js} +1 -1
- package/dist/web/index.html +4 -4
- package/dist/web/sw.js +1 -1
- package/package.json +1 -1
- package/src/providers/claude-agent-sdk.ts +108 -64
- package/src/providers/mock-provider.ts +1 -0
- package/src/providers/provider.interface.ts +1 -0
- package/src/server/routes/git.ts +16 -2
- package/src/server/ws/chat.ts +43 -26
- package/src/services/chat.service.ts +3 -1
- package/src/services/git.service.ts +45 -8
- package/src/types/api.ts +1 -1
- package/src/types/chat.ts +5 -0
- package/src/types/config.ts +21 -0
- package/src/types/git.ts +4 -0
- package/src/web/components/chat/chat-tab.tsx +26 -8
- package/src/web/components/chat/message-input.tsx +61 -1
- package/src/web/components/chat/message-list.tsx +9 -1
- package/src/web/components/chat/mode-selector.tsx +117 -0
- package/src/web/components/git/git-graph-branch-label.tsx +124 -0
- package/src/web/components/git/git-graph-constants.ts +185 -0
- package/src/web/components/git/git-graph-detail.tsx +107 -0
- package/src/web/components/git/git-graph-dialog.tsx +72 -0
- package/src/web/components/git/git-graph-row.tsx +167 -0
- package/src/web/components/git/git-graph-settings-dialog.tsx +104 -0
- package/src/web/components/git/git-graph-svg.tsx +54 -0
- package/src/web/components/git/git-graph-toolbar.tsx +195 -0
- package/src/web/components/git/git-graph.tsx +143 -681
- package/src/web/components/git/use-column-resize.ts +33 -0
- package/src/web/components/git/use-git-graph.ts +201 -0
- package/src/web/components/settings/ai-settings-section.tsx +42 -0
- package/src/web/hooks/use-chat.ts +3 -3
- package/src/web/lib/api-settings.ts +2 -0
- package/dist/web/assets/chat-tab-BoeC0a0w.js +0 -7
- package/dist/web/assets/git-graph-9GFTfA5p.js +0 -1
- package/dist/web/assets/index-CSS8Cy7l.css +0 -2
- package/dist/web/assets/index-CetGEOKq.js +0 -28
- package/dist/web/assets/input-CVIzrYsH.js +0 -41
- package/dist/web/assets/keybindings-store-DiEM7YZ4.js +0 -1
- package/dist/web/assets/settings-tab-Di-E48kC.js +0 -1
- package/dist/web/assets/switch-UODDpwuO.js +0 -1
|
@@ -0,0 +1,33 @@
|
|
|
1
|
+
import { useState, useRef } from "react";
|
|
2
|
+
|
|
3
|
+
/** Generic column resize hook — uses refs to avoid stale closures */
|
|
4
|
+
export function useColumnResize(initialWidths: Record<string, number>) {
|
|
5
|
+
const [widths, setWidths] = useState(initialWidths);
|
|
6
|
+
const widthsRef = useRef(initialWidths);
|
|
7
|
+
widthsRef.current = widths;
|
|
8
|
+
const dragging = useRef(false);
|
|
9
|
+
|
|
10
|
+
const startResize = (colKey: string, startX: number) => {
|
|
11
|
+
dragging.current = true;
|
|
12
|
+
const startW = widthsRef.current[colKey] ?? 80;
|
|
13
|
+
const onMove = (ev: MouseEvent | TouchEvent) => {
|
|
14
|
+
if (!dragging.current) return;
|
|
15
|
+
const clientX = "touches" in ev ? ev.touches[0]!.clientX : ev.clientX;
|
|
16
|
+
const newW = Math.max(40, startW + clientX - startX);
|
|
17
|
+
setWidths((prev) => ({ ...prev, [colKey]: newW }));
|
|
18
|
+
};
|
|
19
|
+
const onUp = () => {
|
|
20
|
+
dragging.current = false;
|
|
21
|
+
window.removeEventListener("mousemove", onMove);
|
|
22
|
+
window.removeEventListener("mouseup", onUp);
|
|
23
|
+
window.removeEventListener("touchmove", onMove);
|
|
24
|
+
window.removeEventListener("touchend", onUp);
|
|
25
|
+
};
|
|
26
|
+
window.addEventListener("mousemove", onMove);
|
|
27
|
+
window.addEventListener("mouseup", onUp);
|
|
28
|
+
window.addEventListener("touchmove", onMove, { passive: false });
|
|
29
|
+
window.addEventListener("touchend", onUp);
|
|
30
|
+
};
|
|
31
|
+
|
|
32
|
+
return { widths, startResize };
|
|
33
|
+
}
|
|
@@ -0,0 +1,201 @@
|
|
|
1
|
+
import { useEffect, useState, useCallback, useMemo, useRef } from "react";
|
|
2
|
+
import { api, projectUrl } from "@/lib/api-client";
|
|
3
|
+
import { useTabStore } from "@/stores/tab-store";
|
|
4
|
+
import type { GitGraphData, GitCommit } from "../../../types/git";
|
|
5
|
+
import { buildCommitLabels, computeLanes, computeSvgPaths, ROW_HEIGHT } from "./git-graph-constants";
|
|
6
|
+
|
|
7
|
+
const PAGE_SIZE = 200;
|
|
8
|
+
|
|
9
|
+
export function useGitGraph(projectName: string | undefined) {
|
|
10
|
+
const [data, setData] = useState<GitGraphData | null>(null);
|
|
11
|
+
const [loading, setLoading] = useState(true);
|
|
12
|
+
const [loadingMore, setLoadingMore] = useState(false);
|
|
13
|
+
const [hasMore, setHasMore] = useState(true);
|
|
14
|
+
const [error, setError] = useState<string | null>(null);
|
|
15
|
+
const [acting, setActing] = useState(false);
|
|
16
|
+
const [selectedCommit, setSelectedCommit] = useState<GitCommit | null>(null);
|
|
17
|
+
const [commitFiles, setCommitFiles] = useState<
|
|
18
|
+
Array<{ path: string; additions: number; deletions: number }>
|
|
19
|
+
>([]);
|
|
20
|
+
const [loadingDetail, setLoadingDetail] = useState(false);
|
|
21
|
+
const [branchFilter, setBranchFilter] = useState("__all__");
|
|
22
|
+
const [searchQuery, setSearchQuery] = useState("");
|
|
23
|
+
const [showSearch, setShowSearch] = useState(false);
|
|
24
|
+
const { openTab } = useTabStore();
|
|
25
|
+
const loadedCountRef = useRef(0);
|
|
26
|
+
|
|
27
|
+
const fetchGraph = useCallback(async () => {
|
|
28
|
+
if (!projectName) return;
|
|
29
|
+
try {
|
|
30
|
+
setLoading(true);
|
|
31
|
+
// Fetch at least PAGE_SIZE, but if we've loaded more via pagination, re-fetch all
|
|
32
|
+
const count = Math.max(PAGE_SIZE, loadedCountRef.current);
|
|
33
|
+
const result = await api.get<GitGraphData>(
|
|
34
|
+
`${projectUrl(projectName)}/git/graph?max=${count}`,
|
|
35
|
+
);
|
|
36
|
+
setData(result);
|
|
37
|
+
loadedCountRef.current = result.commits.length;
|
|
38
|
+
setHasMore(result.commits.length >= count);
|
|
39
|
+
setError(null);
|
|
40
|
+
} catch (e) {
|
|
41
|
+
setError(e instanceof Error ? e.message : "Failed to fetch graph");
|
|
42
|
+
} finally {
|
|
43
|
+
setLoading(false);
|
|
44
|
+
}
|
|
45
|
+
}, [projectName]);
|
|
46
|
+
|
|
47
|
+
const loadMore = useCallback(async () => {
|
|
48
|
+
if (!projectName || loadingMore || !hasMore) return;
|
|
49
|
+
try {
|
|
50
|
+
setLoadingMore(true);
|
|
51
|
+
const skip = loadedCountRef.current;
|
|
52
|
+
const result = await api.get<GitGraphData>(
|
|
53
|
+
`${projectUrl(projectName)}/git/graph?max=${PAGE_SIZE}&skip=${skip}`,
|
|
54
|
+
);
|
|
55
|
+
if (result.commits.length === 0) {
|
|
56
|
+
setHasMore(false);
|
|
57
|
+
return;
|
|
58
|
+
}
|
|
59
|
+
setData((prev) => {
|
|
60
|
+
if (!prev) return result;
|
|
61
|
+
// Deduplicate by hash
|
|
62
|
+
const existing = new Set(prev.commits.map((c) => c.hash));
|
|
63
|
+
const newCommits = result.commits.filter((c) => !existing.has(c.hash));
|
|
64
|
+
// Merge branches: keep existing + add new remote-only branches
|
|
65
|
+
const existingBranches = new Set(prev.branches.map((b) => b.name));
|
|
66
|
+
const newBranches = result.branches.filter((b) => !existingBranches.has(b.name));
|
|
67
|
+
return {
|
|
68
|
+
commits: [...prev.commits, ...newCommits],
|
|
69
|
+
branches: [...prev.branches, ...newBranches],
|
|
70
|
+
head: prev.head,
|
|
71
|
+
};
|
|
72
|
+
});
|
|
73
|
+
loadedCountRef.current = skip + result.commits.length;
|
|
74
|
+
setHasMore(result.commits.length >= PAGE_SIZE);
|
|
75
|
+
} catch (e) {
|
|
76
|
+
setError(e instanceof Error ? e.message : "Failed to load more");
|
|
77
|
+
} finally {
|
|
78
|
+
setLoadingMore(false);
|
|
79
|
+
}
|
|
80
|
+
}, [projectName, loadingMore, hasMore]);
|
|
81
|
+
|
|
82
|
+
useEffect(() => {
|
|
83
|
+
fetchGraph();
|
|
84
|
+
const interval = setInterval(fetchGraph, 10000);
|
|
85
|
+
return () => clearInterval(interval);
|
|
86
|
+
}, [fetchGraph]);
|
|
87
|
+
|
|
88
|
+
const gitAction = async (path: string, body: Record<string, unknown>) => {
|
|
89
|
+
if (!projectName) return;
|
|
90
|
+
setActing(true);
|
|
91
|
+
try { await api.post(`${projectUrl(projectName)}${path}`, body); await fetchGraph(); }
|
|
92
|
+
catch (e) { setError(e instanceof Error ? e.message : "Action failed"); }
|
|
93
|
+
finally { setActing(false); }
|
|
94
|
+
};
|
|
95
|
+
|
|
96
|
+
const fetchFromRemotes = () => gitAction("/git/fetch", {});
|
|
97
|
+
const handleCheckout = (ref: string) => gitAction("/git/checkout", { ref });
|
|
98
|
+
const handleCherryPick = (hash: string) => gitAction("/git/cherry-pick", { hash });
|
|
99
|
+
const handleRevert = (hash: string) => gitAction("/git/revert", { hash });
|
|
100
|
+
const handleMerge = (source: string) => gitAction("/git/merge", { source });
|
|
101
|
+
const handleDeleteBranch = (name: string) => gitAction("/git/branch/delete", { name });
|
|
102
|
+
const handlePushBranch = (branch: string) => gitAction("/git/push", { branch });
|
|
103
|
+
const handleCreateTag = (name: string, hash?: string) => gitAction("/git/tag", { name, hash });
|
|
104
|
+
const copyHash = (hash: string) => navigator.clipboard.writeText(hash);
|
|
105
|
+
|
|
106
|
+
const handleCreateBranch = async (name: string, from: string) => {
|
|
107
|
+
const exists = data?.branches.some((b) => b.name === name || b.name.endsWith(`/${name}`));
|
|
108
|
+
if (exists) {
|
|
109
|
+
if (!window.confirm(`Branch "${name}" already exists.\nDelete and recreate from this commit?`)) return;
|
|
110
|
+
await gitAction("/git/branch/delete", { name });
|
|
111
|
+
}
|
|
112
|
+
await gitAction("/git/branch/create", { name, from });
|
|
113
|
+
};
|
|
114
|
+
|
|
115
|
+
const handleCreatePr = async (branch: string) => {
|
|
116
|
+
if (!projectName) return;
|
|
117
|
+
try {
|
|
118
|
+
const r = await api.get<{ url: string | null }>(`${projectUrl(projectName)}/git/pr-url?branch=${encodeURIComponent(branch)}`);
|
|
119
|
+
if (r.url) window.open(r.url, "_blank");
|
|
120
|
+
} catch { /* silent */ }
|
|
121
|
+
};
|
|
122
|
+
|
|
123
|
+
const selectCommit = async (commit: GitCommit) => {
|
|
124
|
+
if (selectedCommit?.hash === commit.hash) { setSelectedCommit(null); return; }
|
|
125
|
+
setSelectedCommit(commit);
|
|
126
|
+
setLoadingDetail(true);
|
|
127
|
+
try {
|
|
128
|
+
const parent = commit.parents[0] ?? "";
|
|
129
|
+
const ref1Param = parent ? `ref1=${encodeURIComponent(parent)}&` : "";
|
|
130
|
+
const files = await api.get<Array<{ path: string; additions: number; deletions: number }>>(
|
|
131
|
+
`${projectUrl(projectName!)}/git/diff-stat?${ref1Param}ref2=${encodeURIComponent(commit.hash)}`);
|
|
132
|
+
setCommitFiles(Array.isArray(files) ? files : []);
|
|
133
|
+
} catch { setCommitFiles([]); }
|
|
134
|
+
finally { setLoadingDetail(false); }
|
|
135
|
+
};
|
|
136
|
+
|
|
137
|
+
const openDiffForCommit = (commit: GitCommit) => openTab({
|
|
138
|
+
type: "git-diff", title: `Diff ${commit.abbreviatedHash}`, closable: true,
|
|
139
|
+
metadata: { projectName, ref1: commit.parents[0] ?? undefined, ref2: commit.hash },
|
|
140
|
+
projectId: projectName ?? null,
|
|
141
|
+
});
|
|
142
|
+
|
|
143
|
+
// --- Computed ---
|
|
144
|
+
const commitLabels = useMemo(() => buildCommitLabels(data), [data]);
|
|
145
|
+
const currentBranch = data?.branches.find((b) => b.current);
|
|
146
|
+
const headHash = data?.head ?? "";
|
|
147
|
+
|
|
148
|
+
const filteredCommits = useMemo(() => {
|
|
149
|
+
if (!data) return [];
|
|
150
|
+
let commits = data.commits;
|
|
151
|
+
if (branchFilter !== "__all__") {
|
|
152
|
+
const branch = data.branches.find((b) => b.name === branchFilter);
|
|
153
|
+
if (branch) {
|
|
154
|
+
const reachable = new Set<string>();
|
|
155
|
+
const queue = [branch.commitHash];
|
|
156
|
+
while (queue.length > 0) {
|
|
157
|
+
const hash = queue.pop()!;
|
|
158
|
+
if (reachable.has(hash)) continue;
|
|
159
|
+
reachable.add(hash);
|
|
160
|
+
const c = data.commits.find((cm) => cm.hash === hash);
|
|
161
|
+
if (c) queue.push(...c.parents);
|
|
162
|
+
}
|
|
163
|
+
commits = commits.filter((c) => reachable.has(c.hash));
|
|
164
|
+
}
|
|
165
|
+
}
|
|
166
|
+
if (searchQuery.trim()) {
|
|
167
|
+
const q = searchQuery.toLowerCase();
|
|
168
|
+
commits = commits.filter(
|
|
169
|
+
(c) =>
|
|
170
|
+
c.subject.toLowerCase().includes(q) ||
|
|
171
|
+
c.authorName.toLowerCase().includes(q) ||
|
|
172
|
+
c.abbreviatedHash.includes(q) ||
|
|
173
|
+
c.hash.includes(q),
|
|
174
|
+
);
|
|
175
|
+
}
|
|
176
|
+
return commits;
|
|
177
|
+
}, [data, branchFilter, searchQuery]);
|
|
178
|
+
|
|
179
|
+
const filteredData = useMemo(() => (data ? { ...data, commits: filteredCommits } : null), [data, filteredCommits]);
|
|
180
|
+
const filteredLanes = useMemo(() => computeLanes(filteredData), [filteredData]);
|
|
181
|
+
const svgHeight = filteredCommits.length * ROW_HEIGHT + ROW_HEIGHT * 2; // extra padding for unloaded-parent lines
|
|
182
|
+
const svgPaths = useMemo(
|
|
183
|
+
() => computeSvgPaths(filteredData, filteredLanes.laneMap, filteredLanes.unloadedParentLanes, svgHeight),
|
|
184
|
+
[filteredData, filteredLanes.laneMap, filteredLanes.unloadedParentLanes, svgHeight]);
|
|
185
|
+
|
|
186
|
+
return {
|
|
187
|
+
data, loading, loadingMore, hasMore, error, acting,
|
|
188
|
+
selectedCommit, setSelectedCommit,
|
|
189
|
+
commitFiles, loadingDetail,
|
|
190
|
+
branchFilter, setBranchFilter,
|
|
191
|
+
searchQuery, setSearchQuery,
|
|
192
|
+
showSearch, setShowSearch,
|
|
193
|
+
fetchGraph, fetchFromRemotes, loadMore,
|
|
194
|
+
handleCheckout, handleCherryPick, handleRevert,
|
|
195
|
+
handleMerge, handleDeleteBranch, handlePushBranch,
|
|
196
|
+
handleCreateBranch, handleCreateTag, handleCreatePr,
|
|
197
|
+
copyHash, selectCommit, openDiffForCommit,
|
|
198
|
+
commitLabels, currentBranch, headHash,
|
|
199
|
+
filteredCommits, filteredLanes, svgHeight, svgPaths,
|
|
200
|
+
};
|
|
201
|
+
}
|
|
@@ -22,6 +22,13 @@ const EFFORT_OPTIONS = [
|
|
|
22
22
|
{ value: "high", label: "High" },
|
|
23
23
|
];
|
|
24
24
|
|
|
25
|
+
const PERMISSION_MODE_OPTIONS = [
|
|
26
|
+
{ value: "bypassPermissions", label: "Bypass permissions (default)" },
|
|
27
|
+
{ value: "default", label: "Ask before edits" },
|
|
28
|
+
{ value: "acceptEdits", label: "Edit automatically" },
|
|
29
|
+
{ value: "plan", label: "Plan mode" },
|
|
30
|
+
];
|
|
31
|
+
|
|
25
32
|
export function AISettingsSection({ compact }: { compact?: boolean } = {}) {
|
|
26
33
|
const [settings, setSettings] = useState<AISettings | null>(null);
|
|
27
34
|
const [saving, setSaving] = useState(false);
|
|
@@ -165,6 +172,41 @@ export function AISettingsSection({ compact }: { compact?: boolean } = {}) {
|
|
|
165
172
|
}}
|
|
166
173
|
/>
|
|
167
174
|
</div>
|
|
175
|
+
|
|
176
|
+
<div className={fieldGap}>
|
|
177
|
+
<Label htmlFor="ai-permission-mode" className={compact ? labelSize : undefined}>Default Permission Mode</Label>
|
|
178
|
+
<Select
|
|
179
|
+
value={config?.permission_mode ?? "bypassPermissions"}
|
|
180
|
+
onValueChange={(v) => handleSave("permission_mode", v)}
|
|
181
|
+
>
|
|
182
|
+
<SelectTrigger id="ai-permission-mode" className={`w-full ${compact ? "h-7 text-[11px]" : ""}`}>
|
|
183
|
+
<SelectValue />
|
|
184
|
+
</SelectTrigger>
|
|
185
|
+
<SelectContent>
|
|
186
|
+
{PERMISSION_MODE_OPTIONS.map((opt) => (
|
|
187
|
+
<SelectItem key={opt.value} value={opt.value}>
|
|
188
|
+
{opt.label}
|
|
189
|
+
</SelectItem>
|
|
190
|
+
))}
|
|
191
|
+
</SelectContent>
|
|
192
|
+
</Select>
|
|
193
|
+
</div>
|
|
194
|
+
|
|
195
|
+
<div className={fieldGap}>
|
|
196
|
+
<Label htmlFor="ai-system-prompt" className={compact ? labelSize : undefined}>Additional Instructions</Label>
|
|
197
|
+
<textarea
|
|
198
|
+
key={`sysprompt-${revision}`}
|
|
199
|
+
id="ai-system-prompt"
|
|
200
|
+
rows={4}
|
|
201
|
+
defaultValue={config?.system_prompt ?? ""}
|
|
202
|
+
placeholder="Enter additional instructions for Claude..."
|
|
203
|
+
className={`w-full rounded-md border border-input bg-background px-3 py-2 ring-offset-background placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 ${compact ? "text-[11px]" : "text-sm"}`}
|
|
204
|
+
onBlur={(e) => {
|
|
205
|
+
const val = e.target.value.trim();
|
|
206
|
+
handleSave("system_prompt", val || undefined);
|
|
207
|
+
}}
|
|
208
|
+
/>
|
|
209
|
+
</div>
|
|
168
210
|
</div>
|
|
169
211
|
|
|
170
212
|
{saving && <p className="text-xs text-text-subtle">Saving...</p>}
|
|
@@ -28,7 +28,7 @@ interface UseChatReturn {
|
|
|
28
28
|
contextWindowPct: number | null;
|
|
29
29
|
/** Updated session title from SDK summary (set after stream completes) */
|
|
30
30
|
sessionTitle: string | null;
|
|
31
|
-
sendMessage: (content: string) => void;
|
|
31
|
+
sendMessage: (content: string, opts?: { permissionMode?: string }) => void;
|
|
32
32
|
respondToApproval: (requestId: string, approved: boolean, data?: unknown) => void;
|
|
33
33
|
cancelStreaming: () => void;
|
|
34
34
|
reconnect: () => void;
|
|
@@ -373,7 +373,7 @@ export function useChat(sessionId: string | null, providerId = "claude", project
|
|
|
373
373
|
}, [sessionId, providerId, projectName]);
|
|
374
374
|
|
|
375
375
|
const sendMessage = useCallback(
|
|
376
|
-
(content: string) => {
|
|
376
|
+
(content: string, opts?: { permissionMode?: string }) => {
|
|
377
377
|
if (!content.trim()) return;
|
|
378
378
|
|
|
379
379
|
// If streaming, cancel current stream first then send immediately
|
|
@@ -415,7 +415,7 @@ export function useChat(sessionId: string | null, providerId = "claude", project
|
|
|
415
415
|
setStreamingStatus("connecting");
|
|
416
416
|
setPendingApproval(null);
|
|
417
417
|
|
|
418
|
-
send(JSON.stringify({ type: "message", content }));
|
|
418
|
+
send(JSON.stringify({ type: "message", content, permissionMode: opts?.permissionMode }));
|
|
419
419
|
},
|
|
420
420
|
[send],
|
|
421
421
|
);
|
|
@@ -1,7 +0,0 @@
|
|
|
1
|
-
const __vite__mapDeps=(i,m=__vite__mapDeps,d=(m.f||(m.f=["assets/api-client-TUmacMRS.js","assets/react-CYzKIDNi.js"])))=>i.map(i=>d[i]);
|
|
2
|
-
import{i as e,t}from"./react-CYzKIDNi.js";import{M as n,j as r}from"./input-CVIzrYsH.js";import{n as i,t as a}from"./jsx-runtime-wQxeESYQ.js";import{C as o,D as s,E as c,S as l,T as u,c as d,f,l as p,m,n as h,s as g,t as _}from"./switch-UODDpwuO.js";import{t as v}from"./columns-2-fz8yNaAo.js";import{a as y,n as b,t as x}from"./tab-store-0CKk8cSr.js";import{n as S}from"./settings-store-2NQzaOVJ.js";import{r as C,t as w}from"./utils-DC-bdPS3.js";import{i as T,r as E,t as D}from"./api-client-TUmacMRS.js";import{B as O,C as k,E as A,M as j,N as M,O as N,P,T as F,V as I,g as L,h as R,k as z,t as B,w as ee,z as te}from"./index-CetGEOKq.js";import{t as ne}from"./markdown-renderer-Ckj0mfYc.js";var re=i(`activity`,[[`path`,{d:`M22 12h-2.48a2 2 0 0 0-1.93 1.46l-2.35 8.36a.25.25 0 0 1-.48 0L9.24 2.18a.25.25 0 0 0-.48 0l-2.35 8.36A2 2 0 0 1 4.49 12H2`,key:`169zse`}]]),V=i(`arrow-up`,[[`path`,{d:`m5 12 7-7 7 7`,key:`hav0vg`}],[`path`,{d:`M12 19V5`,key:`x0mq9r`}]]),H=i(`bot`,[[`path`,{d:`M12 8V4H8`,key:`hb8ula`}],[`rect`,{width:`16`,height:`12`,x:`4`,y:`8`,rx:`2`,key:`enze0r`}],[`path`,{d:`M2 14h2`,key:`vft8re`}],[`path`,{d:`M20 14h2`,key:`4cs60a`}],[`path`,{d:`M15 13v2`,key:`1xurst`}],[`path`,{d:`M9 13v2`,key:`rq6x2g`}]]),ie=i(`circle-x`,[[`circle`,{cx:`12`,cy:`12`,r:`10`,key:`1mglay`}],[`path`,{d:`m15 9-6 6`,key:`1uzhvr`}],[`path`,{d:`m9 9 6 6`,key:`z0biqf`}]]),U=i(`code`,[[`path`,{d:`m16 18 6-6-6-6`,key:`eg8j8`}],[`path`,{d:`m8 6-6 6 6 6`,key:`ppft3o`}]]),W=i(`globe`,[[`circle`,{cx:`12`,cy:`12`,r:`10`,key:`1mglay`}],[`path`,{d:`M12 2a14.5 14.5 0 0 0 0 20 14.5 14.5 0 0 0 0-20`,key:`13o1zl`}],[`path`,{d:`M2 12h20`,key:`9i4pu4`}]]),ae=i(`history`,[[`path`,{d:`M3 12a9 9 0 1 0 9-9 9.75 9.75 0 0 0-6.74 2.74L3 8`,key:`1357e3`}],[`path`,{d:`M3 3v5h5`,key:`1xhq8a`}],[`path`,{d:`M12 7v5l4 2`,key:`1fdv2h`}]]),G=i(`image`,[[`rect`,{width:`18`,height:`18`,x:`3`,y:`3`,rx:`2`,ry:`2`,key:`1m3agn`}],[`circle`,{cx:`9`,cy:`9`,r:`2`,key:`af1f0g`}],[`path`,{d:`m21 15-3.086-3.086a2 2 0 0 0-2.828 0L6 21`,key:`1xmnt7`}]]),K=i(`list-todo`,[[`path`,{d:`M13 5h8`,key:`a7qcls`}],[`path`,{d:`M13 12h8`,key:`h98zly`}],[`path`,{d:`M13 19h8`,key:`c3s6r1`}],[`path`,{d:`m3 17 2 2 4-4`,key:`1jhpwq`}],[`rect`,{x:`3`,y:`4`,width:`6`,height:`6`,rx:`1`,key:`cif1o7`}]]),oe=i(`paperclip`,[[`path`,{d:`m16 6-8.414 8.586a2 2 0 0 0 2.829 2.829l8.414-8.586a4 4 0 1 0-5.657-5.657l-8.379 8.551a6 6 0 1 0 8.485 8.485l8.379-8.551`,key:`1miecu`}]]),se=i(`settings-2`,[[`path`,{d:`M14 17H5`,key:`gfn3mx`}],[`path`,{d:`M19 7h-9`,key:`6i9tg`}],[`circle`,{cx:`17`,cy:`17`,r:`3`,key:`18b49y`}],[`circle`,{cx:`7`,cy:`7`,r:`3`,key:`dfmy0x`}]]),ce=i(`shield-alert`,[[`path`,{d:`M20 13c0 5-3.5 7.5-7.66 8.95a1 1 0 0 1-.67-.01C7.5 20.5 4 18 4 13V6a1 1 0 0 1 1-1c2 0 4.5-1.2 6.24-2.72a1.17 1.17 0 0 1 1.52 0C14.51 3.81 17 5 19 5a1 1 0 0 1 1 1z`,key:`oel41y`}],[`path`,{d:`M12 8v4`,key:`1got3b`}],[`path`,{d:`M12 16h.01`,key:`1drbdi`}]]),le=i(`shield-check`,[[`path`,{d:`M20 13c0 5-3.5 7.5-7.66 8.95a1 1 0 0 1-.67-.01C7.5 20.5 4 18 4 13V6a1 1 0 0 1 1-1c2 0 4.5-1.2 6.24-2.72a1.17 1.17 0 0 1 1.52 0C14.51 3.81 17 5 19 5a1 1 0 0 1 1 1z`,key:`oel41y`}],[`path`,{d:`m9 12 2 2 4-4`,key:`dzmm74`}]]),q=i(`sparkles`,[[`path`,{d:`M11.017 2.814a1 1 0 0 1 1.966 0l1.051 5.558a2 2 0 0 0 1.594 1.594l5.558 1.051a1 1 0 0 1 0 1.966l-5.558 1.051a2 2 0 0 0-1.594 1.594l-1.051 5.558a1 1 0 0 1-1.966 0l-1.051-5.558a2 2 0 0 0-1.594-1.594l-5.558-1.051a1 1 0 0 1 0-1.966l5.558-1.051a2 2 0 0 0 1.594-1.594z`,key:`1s2grr`}],[`path`,{d:`M20 2v4`,key:`1rf3ol`}],[`path`,{d:`M22 4h-4`,key:`gwowj6`}],[`circle`,{cx:`4`,cy:`20`,r:`2`,key:`6kqj1y`}]]),J=i(`square`,[[`rect`,{width:`18`,height:`18`,x:`3`,y:`3`,rx:`2`,key:`afitv7`}]]),Y=e(t(),1),ue=3e4,de=1e3,fe=class{ws=null;url;handlers=[];reconnectAttempts=0;reconnectTimer=null;intentionalClose=!1;pendingMessages=[];constructor(e){this.url=e}connect(){this.intentionalClose=!1,this.cleanup();let e=window.location.protocol===`https:`?`wss:`:`ws:`,t=this.url.startsWith(`ws`)?this.url:`${e}//${window.location.host}${this.url}`;this.ws=new WebSocket(t),this.ws.onopen=()=>{this.reconnectAttempts=0;try{this.ws?.send(JSON.stringify({type:`ready`}))}catch{}if(this.pendingMessages.length>0){console.log(`[ws] flushing ${this.pendingMessages.length} queued message(s)`);for(let e of this.pendingMessages)try{this.ws?.send(e)}catch{}this.pendingMessages=[]}},this.ws.onmessage=e=>{for(let t of this.handlers)t(e)},this.ws.onclose=()=>{this.intentionalClose||this.scheduleReconnect()},this.ws.onerror=()=>{this.ws?.close()}}disconnect(){this.intentionalClose=!0,this.pendingMessages=[],this.cleanup(),this.reconnectTimer&&=(clearTimeout(this.reconnectTimer),null)}send(e){this.ws?.readyState===WebSocket.OPEN?this.ws.send(e):this.ws?.readyState===WebSocket.CONNECTING?(console.warn(`[ws] WS still CONNECTING — queuing message`),this.pendingMessages.push(e)):console.warn(`[ws] message dropped — readyState=${this.ws?.readyState??`no-ws`}`)}onMessage(e){return this.handlers.push(e),()=>{this.handlers=this.handlers.filter(t=>t!==e)}}get isConnected(){return this.ws?.readyState===WebSocket.OPEN}cleanup(){this.ws&&=(this.ws.onopen=null,this.ws.onclose=null,this.ws.onmessage=null,this.ws.onerror=null,(this.ws.readyState===WebSocket.OPEN||this.ws.readyState===WebSocket.CONNECTING)&&this.ws.close(),null)}scheduleReconnect(){let e=Math.min(de*2**this.reconnectAttempts,ue);this.reconnectAttempts++,this.reconnectTimer=setTimeout(()=>this.connect(),e)}};function pe({url:e,onMessage:t,autoConnect:n=!0}){let r=(0,Y.useRef)(null);return(0,Y.useEffect)(()=>{let i=new fe(e);return r.current=i,t&&i.onMessage(t),n&&i.connect(),()=>{i.disconnect(),r.current=null}},[e,n]),{send:(0,Y.useCallback)(e=>{r.current?.send(e)},[]),connect:(0,Y.useCallback)(()=>{r.current?.connect()},[]),disconnect:(0,Y.useCallback)(()=>{r.current?.disconnect()},[])}}var me=null;function he(){return me||=new AudioContext,me}function X(e,t,n,r,i=`sine`){let a=he(),o=a.createOscillator(),s=a.createGain();o.type=i,o.frequency.value=e,s.gain.setValueAtTime(r,n),s.gain.exponentialRampToValueAtTime(.001,n+t),o.connect(s),s.connect(a.destination),o.start(n),o.stop(n+t)}function ge(){let e=he().currentTime;X(523,.15,e,.15),X(659,.2,e+.12,.15)}function _e(){let e=he().currentTime;X(880,.12,e,.18,`square`),X(698,.12,e+.15,.18,`square`),X(880,.15,e+.3,.15,`square`)}function ve(){let e=he().currentTime;X(440,.12,e,.12),X(523,.12,e+.1,.12),X(659,.18,e+.2,.12)}var ye={done:ge,approval_request:_e,question:ve};function be(e){try{ye[e]?.()}catch{}}function xe(e){if(document.hidden)return!1;let{panels:t,focusedPanelId:n}=b.getState(),r=t[n];if(!r)return!1;let i=r.tabs.find(e=>e.id===r.activeTabId);return i?.type===`chat`&&i.metadata?.sessionId===e}function Se(e,t=`claude`,n=``){let[r,i]=(0,Y.useState)([]),[a,o]=(0,Y.useState)(!1),[s,c]=(0,Y.useState)(!1),[l,u]=(0,Y.useState)(`idle`),[d,f]=(0,Y.useState)(0),[p,m]=(0,Y.useState)(15),[h,g]=(0,Y.useState)(null),[_,v]=(0,Y.useState)(null),[y,b]=(0,Y.useState)(null),[x,S]=(0,Y.useState)(!1),C=(0,Y.useRef)(``),w=(0,Y.useRef)([]),D=(0,Y.useRef)(null),O=(0,Y.useRef)(!1),k=(0,Y.useRef)(null),A=(0,Y.useRef)(()=>{}),j=(0,Y.useRef)(null),M=(0,Y.useRef)(e);M.current=e;let N=(0,Y.useRef)(n);N.current=n;let P=(0,Y.useCallback)(e=>{let t;try{t=JSON.parse(e.data)}catch{return}if(t.type===`ping`)return;if(t.type===`title_updated`){b(t.title??null);return}if(t.type===`streaming_status`){let e=t.status??`idle`;if(u(e),f(e===`connecting`?t.elapsed??0:0),e===`connecting`){let e=t.effort,n=t.thinkingBudget,r=15;n&&n>0?r=Math.max(15,Math.round(n/500)):e===`high`?r=30:e===`low`&&(r=10),m(r)}return}if(t.type===`connected`){S(!0),t.sessionTitle&&b(t.sessionTitle);return}if(t.type===`status`){S(!0);let e=t;e.sessionTitle&&b(e.sessionTitle),e.isStreaming&&(O.current=!0,c(!0)),e.pendingApproval&&g({requestId:e.pendingApproval.requestId,tool:e.pendingApproval.tool,input:e.pendingApproval.input}),j.current?.();return}let n=(e,t)=>{let n=w.current.findIndex(e=>e.type===`tool_use`&&(e.tool===`Agent`||e.tool===`Task`)&&e.toolUseId===t);if(n===-1)return!1;let r=w.current[n];if(r.type!==`tool_use`)return!1;let i=[...r.children??[],e];return w.current[n]={...r,children:i},!0},r=()=>{let e=C.current,t=[...w.current],n=D.current;i(r=>{let i=r[r.length-1];return i?.role===`assistant`&&!i.id.startsWith(`final-`)?[...r.slice(0,-1),{...i,content:e,events:t,...n}]:[...r,{id:`streaming-${Date.now()}`,role:`assistant`,content:e,events:t,timestamp:new Date().toISOString(),...n}]})};switch(t.type){case`account_info`:D.current={accountId:t.accountId,accountLabel:t.accountLabel};break;case`text`:{let e=t.parentToolUseId;if(e&&n(t,e)){r();break}C.current+=t.content,w.current.push(t),r();break}case`thinking`:{let e=t.parentToolUseId;if(e&&n(t,e)){r();break}w.current.push(t),r();break}case`tool_use`:{let e=t.parentToolUseId;if(e&&n(t,e)){r();break}w.current.push(t),r();break}case`tool_result`:{let e=t.parentToolUseId;if(e&&n(t,e)){r();break}w.current.push(t),r();break}case`approval_request`:if(w.current.push(t),g({requestId:t.requestId,tool:t.tool,input:t.input}),M.current&&!xe(M.current)){let e=t.tool===`AskUserQuestion`?`question`:`approval_request`;L.getState().addNotification(M.current,e,N.current),be(e)}break;case`error`:{w.current.push(t);let e=[...w.current];i(n=>{let r=n[n.length-1];return r?.role===`assistant`?[...n.slice(0,-1),{...r,events:e}]:[...n,{id:`error-${Date.now()}`,role:`system`,content:t.message,events:[t],timestamp:new Date().toISOString()}]}),O.current=!1,c(!1),u(`idle`);break}case`done`:{if(!O.current)break;t.contextWindowPct!=null&&v(t.contextWindowPct),M.current&&!xe(M.current)&&(L.getState().addNotification(M.current,`done`,N.current),be(`done`));let e=C.current,n=[...w.current];i(t=>{let r=t[t.length-1];return r?.role===`assistant`?[...t.slice(0,-1),{...r,id:`final-${Date.now()}`,content:e||r.content,events:n.length>0?n:r.events}]:t}),C.current=``,w.current=[],D.current=null,O.current=!1,c(!1),u(`idle`);break}}},[]),{send:F,connect:I}=pe({url:e&&n?`/ws/project/${encodeURIComponent(n)}/chat/${e}`:``,onMessage:P,autoConnect:!!e&&!!n});A.current=F,(0,Y.useEffect)(()=>{let r=!1;return c(!1),g(null),C.current=``,w.current=[],S(!1),e&&n?(o(!0),fetch(`${T(n)}/chat/sessions/${e}/messages?providerId=${t}`,{headers:{Authorization:`Bearer ${E()}`}}).then(e=>e.json()).then(e=>{r||O.current||(e.ok&&Array.isArray(e.data)&&e.data.length>0?i(e.data):i([]))}).catch(()=>{!r&&!O.current&&i([])}).finally(()=>{r||o(!1)})):i([]),()=>{r=!0}},[e,t,n]);let R=(0,Y.useCallback)(e=>{if(e.trim()){if(O.current){let e=C.current,t=[...w.current];i(n=>{let r=n[n.length-1];return r?.role===`assistant`?[...n.slice(0,-1),{...r,id:`final-${Date.now()}`,content:e||r.content,events:t.length>0?t:r.events}]:n}),F(JSON.stringify({type:`cancel`}))}i(t=>[...t,{id:`user-${Date.now()}`,role:`user`,content:e,timestamp:new Date().toISOString()}]),C.current=``,w.current=[],k.current=null,O.current=!0,c(!0),u(`connecting`),g(null),F(JSON.stringify({type:`message`,content:e}))}},[F]),z=(0,Y.useCallback)((e,t,n)=>{if(F(JSON.stringify({type:`approval_response`,requestId:e,approved:t,data:n})),t&&n){let t=w.current.find(t=>t.type===`approval_request`&&t.requestId===e&&t.tool===`AskUserQuestion`);if(t){let e=t.input;e&&typeof e==`object`&&(e.answers=n)}i(e=>[...e])}g(null)},[F]),B=(0,Y.useCallback)(()=>{if(!O.current)return;F(JSON.stringify({type:`cancel`}));let e=C.current,t=[...w.current];i(n=>{let r=n[n.length-1];return r?.role===`assistant`?[...n.slice(0,-1),{...r,id:`final-${Date.now()}`,content:e||r.content,events:t.length>0?t:r.events}]:n}),C.current=``,w.current=[],k.current=null,O.current=!1,c(!1),g(null)},[F]),ee=(0,Y.useCallback)(()=>{S(!1),I(),j.current?.()},[I]),te=(0,Y.useCallback)(()=>{!e||!n||(o(!0),fetch(`${T(n)}/chat/sessions/${e}/messages?providerId=${t}`,{headers:{Authorization:`Bearer ${E()}`}}).then(e=>e.json()).then(e=>{e.ok&&Array.isArray(e.data)&&e.data.length>0&&(i(e.data),C.current=``,w.current=[])}).catch(()=>{}).finally(()=>o(!1)))},[e,t,n]);return j.current=te,{messages:r,messagesLoading:a,isStreaming:s,streamingStatus:l,connectingElapsed:d,thinkingWarningThreshold:p,pendingApproval:h,contextWindowPct:_,sessionTitle:y,sendMessage:R,respondToApproval:z,cancelStreaming:B,reconnect:ee,refetchMessages:te,isConnected:x}}var Ce=12e4;function we(e,t=`claude`){let[n,r]=(0,Y.useState)({}),[i,a]=(0,Y.useState)(!1),[o,s]=(0,Y.useState)(null),c=(0,Y.useRef)(null),l=(0,Y.useCallback)((n=!1)=>{if(!e)return;a(!0);let i=n?`&refresh=1`:``;fetch(`${T(e)}/chat/usage?providerId=${t}${i}`,{headers:{Authorization:`Bearer ${E()}`}}).then(e=>e.json()).then(e=>{e.ok&&e.data&&(r(t=>({...t,...e.data})),e.data.lastFetchedAt&&s(e.data.lastFetchedAt))}).catch(()=>{}).finally(()=>a(!1))},[e,t]);return(0,Y.useEffect)(()=>(l(),c.current=setInterval(()=>l(),Ce),()=>{c.current&&clearInterval(c.current)}),[l]),{usageInfo:n,usageLoading:i,lastFetchedAt:o,refreshUsage:(0,Y.useCallback)(()=>l(!0),[l])}}var Te={damping:.7,stiffness:.05,mass:1.25},Ee=70,De=1e3/60,Oe=350,ke=!1;globalThis.document?.addEventListener(`mousedown`,()=>{ke=!0}),globalThis.document?.addEventListener(`mouseup`,()=>{ke=!1}),globalThis.document?.addEventListener(`click`,()=>{ke=!1});var Ae=(e={})=>{let[t,n]=(0,Y.useState)(!1),[r,i]=(0,Y.useState)(e.initial!==!1),[a,o]=(0,Y.useState)(!1),s=(0,Y.useRef)(null);s.current=e;let c=(0,Y.useCallback)(()=>{if(!ke)return!1;let e=window.getSelection();if(!e||!e.rangeCount)return!1;let t=e.getRangeAt(0);return t.commonAncestorContainer.contains(g.current)||g.current?.contains(t.commonAncestorContainer)},[]),l=(0,Y.useCallback)(e=>{d.isAtBottom=e,i(e)},[]),u=(0,Y.useCallback)(e=>{d.escapedFromLock=e,n(e)},[]),d=(0,Y.useMemo)(()=>{let n;return{escapedFromLock:t,isAtBottom:r,resizeDifference:0,accumulated:0,velocity:0,listeners:new Set,get scrollTop(){return g.current?.scrollTop??0},set scrollTop(e){g.current&&(g.current.scrollTop=e,d.ignoreScrollToTop=g.current.scrollTop)},get targetScrollTop(){return!g.current||!_.current?0:g.current.scrollHeight-1-g.current.clientHeight},get calculatedTargetScrollTop(){if(!g.current||!_.current)return 0;let{targetScrollTop:t}=this;if(!e.targetScrollTop)return t;if(n?.targetScrollTop===t)return n.calculatedScrollTop;let r=Math.max(Math.min(e.targetScrollTop(t,{scrollElement:g.current,contentElement:_.current}),t),0);return n={targetScrollTop:t,calculatedScrollTop:r},requestAnimationFrame(()=>{n=void 0}),r},get scrollDifference(){return this.calculatedTargetScrollTop-this.scrollTop},get isNearBottom(){return this.scrollDifference<=Ee}}},[]),f=(0,Y.useCallback)((e={})=>{typeof e==`string`&&(e={animation:e}),e.preserveScrollPosition||l(!0);let t=Date.now()+(Number(e.wait)||0),n=Ne(s.current,e.animation),{ignoreEscapes:r=!1}=e,i,a=d.calculatedTargetScrollTop;e.duration instanceof Promise?e.duration.finally(()=>{i=Date.now()}):i=t+(e.duration??0);let o=async()=>{let e=new Promise(requestAnimationFrame).then(()=>{if(!d.isAtBottom)return d.animation=void 0,!1;let{scrollTop:l}=d,u=performance.now(),p=(u-(d.lastTick??u))/De;if(d.animation||={behavior:n,promise:e,ignoreEscapes:r},d.animation.behavior===n&&(d.lastTick=u),c()||t>Date.now())return o();if(l<Math.min(a,d.calculatedTargetScrollTop)){if(d.animation?.behavior===n){if(n===`instant`)return d.scrollTop=d.calculatedTargetScrollTop,o();d.velocity=(n.damping*d.velocity+n.stiffness*d.scrollDifference)/n.mass,d.accumulated+=d.velocity*p,d.scrollTop+=d.accumulated,d.scrollTop!==l&&(d.accumulated=0)}return o()}return i>Date.now()?(a=d.calculatedTargetScrollTop,o()):(d.animation=void 0,d.scrollTop<d.calculatedTargetScrollTop?f({animation:Ne(s.current,s.current.resize),ignoreEscapes:r,duration:Math.max(0,i-Date.now())||void 0}):d.isAtBottom)});return e.then(e=>(requestAnimationFrame(()=>{d.animation||(d.lastTick=void 0,d.velocity=0)}),e))};return e.wait!==!0&&(d.animation=void 0),d.animation?.behavior===n?d.animation.promise:o()},[l,c,d]),p=(0,Y.useCallback)(()=>{u(!0),l(!1)},[u,l]),m=(0,Y.useCallback)(({target:e})=>{if(e!==g.current)return;let{scrollTop:t,ignoreScrollToTop:n}=d,{lastScrollTop:r=t}=d;d.lastScrollTop=t,d.ignoreScrollToTop=void 0,n&&n>t&&(r=n),o(d.isNearBottom),setTimeout(()=>{if(d.resizeDifference||t===n)return;if(c()){u(!0),l(!1);return}let e=t>r,i=t<r;if(d.animation?.ignoreEscapes){d.scrollTop=r;return}i&&(u(!0),l(!1)),e&&u(!1),!d.escapedFromLock&&d.isNearBottom&&l(!0)},1)},[u,l,c,d]),h=(0,Y.useCallback)(({target:e,deltaY:t})=>{let n=e;for(;![`scroll`,`auto`].includes(getComputedStyle(n).overflow);){if(!n.parentElement)return;n=n.parentElement}n===g.current&&t<0&&g.current.scrollHeight>g.current.clientHeight&&!d.animation?.ignoreEscapes&&(u(!0),l(!1))},[u,l,d]),g=je(e=>{g.current?.removeEventListener(`scroll`,m),g.current?.removeEventListener(`wheel`,h),e?.addEventListener(`scroll`,m,{passive:!0}),e?.addEventListener(`wheel`,h,{passive:!0})},[]),_=je(e=>{if(d.resizeObserver?.disconnect(),!e)return;let t;d.resizeObserver=new ResizeObserver(([e])=>{let{height:n}=e.contentRect,r=n-(t??n);if(d.resizeDifference=r,d.scrollTop>d.targetScrollTop&&(d.scrollTop=d.targetScrollTop),o(d.isNearBottom),r>=0){let e=Ne(s.current,t?s.current.resize:s.current.initial);f({animation:e,wait:!0,preserveScrollPosition:!0,duration:e===`instant`?void 0:Oe})}else d.isNearBottom&&(u(!1),l(!0));t=n,requestAnimationFrame(()=>{setTimeout(()=>{d.resizeDifference===r&&(d.resizeDifference=0)},1)})}),d.resizeObserver?.observe(e)},[]);return{contentRef:_,scrollRef:g,scrollToBottom:f,stopScroll:p,isAtBottom:r||a,isNearBottom:a,escapedFromLock:t,state:d}};function je(e,t){let n=(0,Y.useCallback)(t=>(n.current=t,e(t)),t);return n}var Me=new Map;function Ne(...e){let t={...Te},n=!1;for(let r of e){if(r===`instant`){n=!0;continue}typeof r==`object`&&(n=!1,t.damping=r.damping??t.damping,t.stiffness=r.stiffness??t.stiffness,t.mass=r.mass??t.mass)}let r=JSON.stringify(t);return Me.has(r)||Me.set(r,Object.freeze(t)),n?`instant`:Me.get(r)}var Pe=(0,Y.createContext)(null),Fe=typeof window<`u`?Y.useLayoutEffect:Y.useEffect;function Ie({instance:e,children:t,resize:n,initial:r,mass:i,damping:a,stiffness:o,targetScrollTop:s,contextRef:c,...l}){let u=(0,Y.useRef)(null),d=Ae({mass:i,damping:a,stiffness:o,resize:n,initial:r,targetScrollTop:Y.useCallback((e,t)=>(y?.targetScrollTop??s)?.(e,t)??e,[s])}),{scrollRef:f,contentRef:p,scrollToBottom:m,stopScroll:h,isAtBottom:g,escapedFromLock:_,state:v}=e??d,y=(0,Y.useMemo)(()=>({scrollToBottom:m,stopScroll:h,scrollRef:f,isAtBottom:g,escapedFromLock:_,contentRef:p,state:v,get targetScrollTop(){return u.current},set targetScrollTop(e){u.current=e}}),[m,g,p,f,h,_,v]);return(0,Y.useImperativeHandle)(c,()=>y,[y]),Fe(()=>{f.current&&getComputedStyle(f.current).overflow===`visible`&&(f.current.style.overflow=`auto`)},[]),Y.createElement(Pe.Provider,{value:y},Y.createElement(`div`,{...l},typeof t==`function`?t(y):t))}(function(e){function t({children:e,scrollClassName:t,...n}){let r=Le();return Y.createElement(`div`,{ref:r.scrollRef,style:{height:`100%`,width:`100%`,scrollbarGutter:`stable both-edges`},className:t},Y.createElement(`div`,{...n,ref:r.contentRef},typeof e==`function`?e(r):e))}e.Content=t})(Ie||={});function Le(){let e=(0,Y.useContext)(Pe);if(!e)throw Error(`use-stick-to-bottom component context must be used within a StickToBottom component`);return e}var Z=a();function Re(e){let t=e.type===`approval_request`;return{toolName:e.type===`tool_use`?e.tool:t?e.tool??`Tool`:`Tool`,input:e.type===`tool_use`?e.input:t?e.input??{}:{}}}function ze({tool:e,result:t,completed:n,projectName:r}){let[i,a]=(0,Y.useState)(!1);if(e.type===`error`)return(0,Z.jsxs)(`div`,{className:`flex items-center gap-2 rounded bg-red-500/10 border border-red-500/20 px-2 py-1.5 text-xs text-red-400`,children:[(0,Z.jsx)(O,{className:`size-3`}),(0,Z.jsx)(`span`,{children:e.message})]});let{toolName:o,input:s}=Re(e),c=t?.type===`tool_result`,l=c&&!!t.isError,d=o===`AskUserQuestion`&&!!s?.answers,f=(o===`Agent`||o===`Task`)&&e.type===`tool_use`,p=f?e.children:void 0,m=p&&p.length>0;return(0,Z.jsxs)(`div`,{className:`rounded border text-xs ${f?`border-accent/30 bg-accent/5`:`border-border bg-background`}`,children:[(0,Z.jsxs)(`button`,{onClick:()=>a(!i),className:`flex items-center gap-2 px-2 py-1.5 w-full text-left hover:bg-surface transition-colors min-w-0`,children:[i?(0,Z.jsx)(u,{className:`size-3 shrink-0`}):(0,Z.jsx)(I,{className:`size-3 shrink-0`}),l?(0,Z.jsx)(ie,{className:`size-3 text-red-400 shrink-0`}):c||d||n?(0,Z.jsx)(te,{className:`size-3 text-green-400 shrink-0`}):(0,Z.jsx)(z,{className:`size-3 text-yellow-400 shrink-0 animate-spin`}),(0,Z.jsx)(`span`,{className:`truncate text-text-primary`,children:(0,Z.jsx)(Be,{name:o,input:s})}),m&&(0,Z.jsxs)(`span`,{className:`ml-auto text-[10px] text-text-subtle shrink-0`,children:[p.length,` steps`]})]}),i&&(0,Z.jsxs)(`div`,{className:`px-2 pb-2 space-y-1.5`,children:[(e.type===`tool_use`||e.type===`approval_request`)&&(0,Z.jsx)(Ve,{name:o,input:s,projectName:r}),m&&(0,Z.jsx)(Ge,{events:p,projectName:r}),c&&(0,Z.jsx)(Ue,{toolName:o,output:t.output})]})]})}function Be({name:e,input:t}){let n=e=>String(e??``);switch(e){case`Read`:case`Write`:case`Edit`:case`MultiEdit`:case`NotebookEdit`:return(0,Z.jsxs)(Z.Fragment,{children:[e,` `,(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:w(n(t.file_path))})]});case`Bash`:return(0,Z.jsxs)(Z.Fragment,{children:[e,` `,(0,Z.jsx)(`span`,{className:`font-mono text-text-subtle`,children:Q(n(t.command),60)})]});case`Glob`:return(0,Z.jsxs)(Z.Fragment,{children:[e,` `,(0,Z.jsx)(`span`,{className:`font-mono text-text-subtle`,children:n(t.pattern)})]});case`Grep`:return(0,Z.jsxs)(Z.Fragment,{children:[e,` `,(0,Z.jsx)(`span`,{className:`font-mono text-text-subtle`,children:Q(n(t.pattern),40)})]});case`WebSearch`:return(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(ee,{className:`size-3 inline`}),` `,e,` `,(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:Q(n(t.query),50)})]});case`WebFetch`:return(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(W,{className:`size-3 inline`}),` `,e,` `,(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:Q(n(t.url),50)})]});case`ToolSearch`:return(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(ee,{className:`size-3 inline`}),` `,e,` `,(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:Q(n(t.query),50)})]});case`Agent`:case`Task`:return(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(H,{className:`size-3 inline`}),` `,e,` `,(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:Q(n(t.description||t.prompt),60)})]});case`TodoWrite`:{let n=Array.isArray(t.todos)?t.todos:[],r=n.filter(e=>e.status===`completed`).length;return(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(K,{className:`size-3 inline`}),` `,e,` `,(0,Z.jsxs)(`span`,{className:`text-text-subtle`,children:[r,`/`,n.length,` done`]})]})}case`AskUserQuestion`:{let n=Array.isArray(t.questions)?t.questions:[],r=!!t.answers;return(0,Z.jsxs)(Z.Fragment,{children:[e,` `,(0,Z.jsxs)(`span`,{className:`text-text-subtle`,children:[n.length,` question`,n.length===1?``:`s`,r?` ✓`:``]})]})}default:return(0,Z.jsx)(Z.Fragment,{children:e})}}function Ve({name:e,input:t,projectName:n}){let r=e=>String(e??``),{openTab:i}=x(),a=e=>{n&&i({type:`editor`,title:w(e),metadata:{filePath:e,projectName:n},projectId:n,closable:!0})},o=(e,t,r)=>{i({type:`git-diff`,title:`Diff ${w(e)}`,metadata:{filePath:e,projectName:n,original:t,modified:r},projectId:n??null,closable:!0})};switch(e){case`Bash`:return(0,Z.jsxs)(`div`,{className:`space-y-1`,children:[!!t.description&&(0,Z.jsx)(`p`,{className:`text-text-subtle italic`,children:r(t.description)}),(0,Z.jsx)(`pre`,{className:`font-mono text-text-secondary overflow-x-auto whitespace-pre-wrap break-all`,children:r(t.command)})]});case`Read`:case`Write`:case`Edit`:case`MultiEdit`:case`NotebookEdit`:{let n=r(t.file_path);return(0,Z.jsxs)(`div`,{className:`space-y-1`,children:[(0,Z.jsxs)(`button`,{type:`button`,className:`font-mono text-text-secondary break-all hover:text-primary hover:underline text-left flex items-center gap-1`,onClick:()=>a(n),title:`Open file in editor`,children:[(0,Z.jsx)(y,{className:`size-3 shrink-0`}),n]}),e===`Edit`&&(!!t.old_string||!!t.new_string)&&(0,Z.jsxs)(`button`,{type:`button`,className:`text-text-subtle hover:text-primary hover:underline text-left flex items-center gap-1`,onClick:()=>o(n,r(t.old_string),r(t.new_string)),title:`View diff in new tab`,children:[(0,Z.jsx)(v,{className:`size-3 shrink-0`}),`View Diff`]}),e===`Write`&&!!t.content&&(0,Z.jsx)(`pre`,{className:`font-mono text-text-subtle overflow-x-auto max-h-32 whitespace-pre-wrap`,children:Q(r(t.content),300)})]})}case`Glob`:return(0,Z.jsxs)(`p`,{className:`font-mono text-text-secondary`,children:[r(t.pattern),t.path?` in ${r(t.path)}`:``]});case`Grep`:return(0,Z.jsxs)(`div`,{className:`space-y-0.5`,children:[(0,Z.jsxs)(`p`,{className:`font-mono text-text-secondary`,children:[`/`,r(t.pattern),`/`]}),!!t.path&&(0,Z.jsxs)(`p`,{className:`text-text-subtle`,children:[`in `,r(t.path)]})]});case`TodoWrite`:return(0,Z.jsx)(He,{todos:t.todos??[]});case`Agent`:case`Task`:return(0,Z.jsxs)(`div`,{className:`space-y-1`,children:[!!t.description&&(0,Z.jsx)(`p`,{className:`text-text-secondary font-medium`,children:r(t.description)}),!!t.subagent_type&&(0,Z.jsxs)(`p`,{className:`text-text-subtle`,children:[`Type: `,r(t.subagent_type)]}),!!t.prompt&&(0,Z.jsx)(Ke,{content:r(t.prompt),maxHeight:`max-h-48`})]});case`ToolSearch`:return(0,Z.jsxs)(`div`,{className:`space-y-0.5`,children:[(0,Z.jsx)(`p`,{className:`font-mono text-text-secondary`,children:r(t.query)}),!!t.max_results&&(0,Z.jsxs)(`p`,{className:`text-text-subtle`,children:[`Max results: `,r(t.max_results)]})]});case`WebFetch`:return(0,Z.jsxs)(`div`,{className:`space-y-0.5`,children:[(0,Z.jsxs)(`a`,{href:r(t.url),target:`_blank`,rel:`noopener noreferrer`,className:`font-mono text-primary hover:underline break-all flex items-center gap-1`,children:[(0,Z.jsx)(W,{className:`size-3 shrink-0`}),r(t.url)]}),!!t.prompt&&(0,Z.jsx)(`p`,{className:`text-text-subtle`,children:Q(r(t.prompt),100)})]});case`AskUserQuestion`:{let e=t.questions??[],n=t.answers??{};return(0,Z.jsx)(`div`,{className:`space-y-2`,children:e.map((e,t)=>(0,Z.jsxs)(`div`,{className:`space-y-0.5`,children:[(0,Z.jsxs)(`p`,{className:`text-text-primary font-medium`,children:[e.header?`${e.header}: `:``,e.question]}),(0,Z.jsx)(`div`,{className:`flex flex-wrap gap-1`,children:e.options.map((t,r)=>(0,Z.jsx)(`span`,{className:`inline-block rounded px-1.5 py-0.5 text-xs border ${(n[e.question]??``).split(`, `).includes(t.label)?`border-accent bg-accent/20 text-text-primary`:`border-border text-text-subtle`}`,children:t.label},r))}),n[e.question]&&(0,Z.jsxs)(`p`,{className:`text-foreground text-xs`,children:[`Answer: `,n[e.question]]})]},t))})}default:return(0,Z.jsx)(`pre`,{className:`overflow-x-auto text-text-secondary font-mono whitespace-pre-wrap break-all`,children:JSON.stringify(t,null,2)})}}function He({todos:e}){return(0,Z.jsx)(`div`,{className:`space-y-0.5`,children:e.map((e,t)=>(0,Z.jsxs)(`div`,{className:`flex items-start gap-1.5`,children:[(0,Z.jsx)(`span`,{className:`shrink-0 mt-0.5 ${e.status===`completed`?`text-green-400`:e.status===`in_progress`?`text-yellow-400`:`text-text-subtle`}`,children:e.status===`completed`?`✓`:e.status===`in_progress`?`▶`:`○`}),(0,Z.jsx)(`span`,{className:e.status===`completed`?`line-through text-text-subtle`:`text-text-secondary`,children:e.content})]},t))})}function Ue({toolName:e,output:t}){let[n,r]=(0,Y.useState)(!1),i=(0,Y.useMemo)(()=>{if(e!==`Agent`&&e!==`Task`)return null;try{let e=JSON.parse(t);if(Array.isArray(e)){let t=e.filter(e=>e.type===`text`&&e.text).map(e=>e.text).join(`
|
|
3
|
-
|
|
4
|
-
`);if(t)return t}if(typeof e==`string`)return e}catch{if(t&&!t.startsWith(`[{`))return t}return null},[e,t]);return i?(0,Z.jsxs)(`div`,{className:`border-t border-border pt-1.5 space-y-1`,children:[(0,Z.jsx)(Ke,{content:i,maxHeight:`max-h-60`}),(0,Z.jsxs)(`button`,{type:`button`,onClick:()=>r(!n),className:`flex items-center gap-1 text-[10px] text-text-subtle hover:text-text-secondary transition-colors`,children:[(0,Z.jsx)(U,{className:`size-3`}),n?`Hide`:`Show`,` raw`]}),n&&(0,Z.jsx)(`pre`,{className:`overflow-x-auto text-text-subtle font-mono max-h-40 whitespace-pre-wrap break-all text-[10px]`,children:t})]}):(0,Z.jsx)(We,{output:t})}function We({output:e}){let t=e.split(`
|
|
5
|
-
`).length,n=t>3||e.length>200,[r,i]=(0,Y.useState)(n);return(0,Z.jsxs)(`div`,{className:`border-t border-border pt-1.5`,children:[n&&(0,Z.jsxs)(`button`,{type:`button`,onClick:()=>i(!r),className:`flex items-center gap-1 text-[10px] text-text-subtle hover:text-text-secondary transition-colors mb-1`,children:[r?(0,Z.jsx)(I,{className:`size-3`}):(0,Z.jsx)(u,{className:`size-3`}),`Output (`,t,` lines)`]}),(0,Z.jsx)(`pre`,{className:`overflow-x-auto text-text-subtle font-mono whitespace-pre-wrap break-all ${r?`max-h-16 overflow-hidden`:`max-h-60`}`,children:e})]})}function Ge({events:e,projectName:t}){let n=[],r=``;for(let t of e)if(t.type===`text`)r+=t.content;else if(t.type===`tool_use`)r&&=(n.push({kind:`text`,content:r}),``),n.push({kind:`tool`,tool:t});else if(t.type===`tool_result`){let e=t.toolUseId,r=e?n.find(t=>t.kind===`tool`&&t.tool.type===`tool_use`&&t.tool.toolUseId===e&&!t.result):n.findLast(e=>e.kind===`tool`&&!e.result);r&&(r.result=t)}return r&&n.push({kind:`text`,content:r}),(0,Z.jsx)(`div`,{className:`border-l-2 border-accent/20 pl-2 space-y-1 mt-1`,children:n.map((e,n)=>e.kind===`text`?(0,Z.jsx)(`div`,{className:`text-text-secondary text-[11px]`,children:(0,Z.jsx)(Ke,{content:e.content,maxHeight:`max-h-24`})},`st-${n}`):(0,Z.jsx)(ze,{tool:e.tool,result:e.result,completed:!!e.result,projectName:t},`sc-${n}`))})}function Ke({content:e,maxHeight:t=`max-h-48`}){return(0,Z.jsx)(ne,{content:e,className:`text-text-secondary overflow-auto ${t}`})}function Q(e,t=50){return e?e.length>t?e.slice(0,t)+`…`:e:``}function qe(e){let[t,n]=(0,Y.useState)({}),[r,i]=(0,Y.useState)({}),[a,o]=(0,Y.useState)(0),s=(0,Y.useCallback)((e,t)=>{n(n=>({...n,[e]:[t]})),i(t=>({...t,[e]:``}))},[]),c=(0,Y.useCallback)((e,t)=>{n(n=>{let r=n[e]||[];return{...n,[e]:r.includes(t)?r.filter(e=>e!==t):[...r,t]}})},[]),l=(0,Y.useCallback)((e,t)=>{i(n=>({...n,[e]:t})),t&&n(t=>({...t,[e]:[]}))},[]),u=(0,Y.useCallback)(e=>(t[e]?.length??0)>0||(r[e]?.trim().length??0)>0,[t,r]);return{answers:t,customInputs:r,activeTab:a,setActiveTab:o,handleSingleSelect:s,handleMultiSelect:c,handleCustomInput:l,hasAnswer:u,allAnswered:(0,Y.useMemo)(()=>e.every((e,t)=>u(t)),[e,u]),getFinalAnswer:(0,Y.useCallback)(e=>r[e]?.trim()||(t[e]??[]).join(`, `),[t,r]),goToNextTab:(0,Y.useCallback)(()=>o(t=>Math.min(t+1,e.length-1)),[e.length]),goToPrevTab:(0,Y.useCallback)(()=>o(e=>Math.max(e-1,0)),[])}}function Je(e){let[t,n]=(0,Y.useState)(0),r=(0,Y.useRef)(null);return(0,Y.useEffect)(()=>n(0),[e.activeTab]),(0,Y.useEffect)(()=>{if(!e.enabled)return;let i=r=>{let i=document.activeElement===e.customInputRef.current;if(!i&&r.key>=`1`&&r.key<=`9`){r.preventDefault();let t=parseInt(r.key)-1;t<e.totalOptions-1&&(n(t),e.onSelectOption(t));return}if(!i&&(r.key===`o`||r.key===`O`||r.key===`0`)){r.preventDefault(),e.customInputRef.current?.focus(),n(e.totalOptions-1);return}if(r.key===`Tab`&&e.questions.length>1){r.preventDefault(),r.shiftKey?e.goToPrevTab():e.goToNextTab();return}if(!i){if(r.key===`ArrowLeft`){r.preventDefault(),e.goToPrevTab();return}if(r.key===`ArrowRight`){r.preventDefault(),e.goToNextTab();return}if(r.key===`ArrowUp`){r.preventDefault(),n(e=>Math.max(0,e-1));return}if(r.key===`ArrowDown`){r.preventDefault(),n(t=>Math.min(e.totalOptions-1,t+1));return}if(r.key===` `){r.preventDefault(),e.onSelectOption(t);return}}if(r.key===`Enter`){r.preventDefault(),e.allAnswered?e.onSubmit():e.hasAnswer(e.activeTab)&&e.goToNextTab();return}r.key===`Escape`&&i&&e.customInputRef.current?.blur()},a=r.current;return a&&(a.addEventListener(`keydown`,i),a.setAttribute(`tabindex`,`0`),a.contains(document.activeElement)||a.focus()),()=>{a?.removeEventListener(`keydown`,i)}},[e,t]),{focusedOption:t,setFocusedOption:n,containerRef:r}}function Ye({questions:e,onSubmit:t,onSkip:n}){let r=(0,Y.useRef)(null),i=qe(e),a=e[i.activeTab],o=a?a.options.length+1:0,s=e.length>1,c=(0,Y.useCallback)(()=>{if(!i.allAnswered)return;let n={};e.forEach((e,t)=>{n[e.question]=i.getFinalAnswer(t)}),t(n)},[i.allAnswered,i.getFinalAnswer,e,t]),l=(0,Y.useCallback)(e=>{if(!(!a||e<0))if(e<a.options.length){let t=a.options[e]?.label;if(!t)return;a.multiSelect?i.handleMultiSelect(i.activeTab,t):i.handleSingleSelect(i.activeTab,t)}else e===a.options.length&&r.current?.focus()},[a,i]),u=Je({questions:e,activeTab:i.activeTab,totalOptions:o,allAnswered:i.allAnswered,hasAnswer:i.hasAnswer,onSelectOption:l,goToNextTab:i.goToNextTab,goToPrevTab:i.goToPrevTab,onSubmit:c,customInputRef:r,enabled:!0}),d=(0,Y.useCallback)(e=>{l(e),u.setFocusedOption(e)},[l,u.setFocusedOption]);return(0,Z.jsxs)(`div`,{ref:u.containerRef,className:`rounded-lg border-2 border-primary/30 bg-primary/5 p-3 space-y-3 outline-none animate-in slide-in-from-bottom-2`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center justify-between text-sm font-medium text-text-primary`,children:[(0,Z.jsxs)(`span`,{children:[`AI has `,s?`${e.length} questions`:`a question`]}),(0,Z.jsxs)(`span`,{className:`text-[10px] text-text-secondary font-normal`,children:[s?`←→ tabs · `:``,`↑↓ options · 1-`,Math.min(o-1,9),` select · Enter submit`]})]}),s&&(0,Z.jsx)(`div`,{className:`flex gap-1 p-1 bg-background rounded-md overflow-x-auto border border-border`,children:e.map((e,t)=>(0,Z.jsxs)(`button`,{className:`flex items-center gap-1.5 px-3 py-1.5 rounded text-xs whitespace-nowrap transition-all ${i.activeTab===t?`bg-primary text-primary-foreground`:i.hasAnswer(t)?`text-primary bg-transparent`:`text-text-secondary hover:bg-surface-elevated`}`,onClick:()=>{i.setActiveTab(t),u.setFocusedOption(0)},tabIndex:-1,children:[(0,Z.jsx)(`span`,{className:`flex items-center justify-center w-4 h-4 rounded-full text-[10px] font-semibold ${i.activeTab===t?`bg-white/20`:i.hasAnswer(t)?`bg-primary/20 text-primary`:`bg-surface-elevated text-text-secondary`}`,children:i.hasAnswer(t)?`✓`:t+1}),(0,Z.jsx)(`span`,{className:`max-w-[100px] overflow-hidden text-ellipsis`,children:e.header||`Q${t+1}`})]},t))}),a&&(0,Z.jsxs)(`div`,{className:`space-y-2`,children:[!s&&a.header&&(0,Z.jsx)(`div`,{className:`text-[11px] font-semibold uppercase tracking-wide text-text-secondary`,children:a.header}),(0,Z.jsx)(`div`,{className:`text-sm text-text-primary`,children:a.question}),a.multiSelect&&(0,Z.jsx)(`div`,{className:`text-[11px] text-text-secondary`,children:`Select multiple`}),(0,Z.jsxs)(`div`,{className:`flex flex-col gap-1.5`,children:[a.options.map((e,t)=>{let n=(i.answers[i.activeTab]||[]).includes(e.label),r=u.focusedOption===t;return(0,Z.jsxs)(`button`,{onClick:()=>d(t),className:`text-left flex items-start gap-2.5 rounded px-2.5 py-2 text-xs border transition-all ${n?`border-primary bg-primary/10 text-text-primary`:`border-border bg-background text-text-secondary hover:border-primary/40 hover:bg-primary/5`} ${r?`ring-2 ring-primary/40 ring-offset-1 ring-offset-background`:``}`,children:[(0,Z.jsx)(`span`,{className:`flex items-center justify-center w-4.5 h-4.5 rounded text-[10px] font-semibold shrink-0 mt-px ${n?`bg-primary/20 text-primary`:`bg-surface-elevated text-text-secondary`}`,children:t+1}),(0,Z.jsxs)(`div`,{className:`flex flex-col gap-0.5 flex-1`,children:[(0,Z.jsx)(`span`,{className:`font-medium text-text-primary`,children:e.label}),e.description&&(0,Z.jsx)(`span`,{className:`text-[11px] text-text-secondary`,children:e.description})]})]},t)}),(0,Z.jsxs)(`div`,{className:`flex items-start gap-2.5 rounded px-2.5 py-2 text-xs border border-dashed transition-all border-border bg-transparent ${u.focusedOption===o-1?`ring-2 ring-primary/40 ring-offset-1 ring-offset-background`:``}`,children:[(0,Z.jsx)(`span`,{className:`flex items-center justify-center w-4.5 h-4.5 rounded bg-surface-elevated text-text-secondary text-[10px] font-semibold shrink-0 mt-px`,children:`O`}),(0,Z.jsx)(`input`,{ref:r,type:`text`,className:`flex-1 px-2 py-1 text-xs bg-surface border border-border rounded text-text-primary outline-none placeholder:text-text-subtle focus:border-primary`,placeholder:`Other (press O to type)...`,value:i.customInputs[i.activeTab]||``,onChange:e=>i.handleCustomInput(i.activeTab,e.target.value),onFocus:()=>u.setFocusedOption(o-1)})]})]})]}),(0,Z.jsxs)(`div`,{className:`flex gap-2 justify-end pt-1`,children:[s&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`button`,{className:`px-3 py-1.5 text-xs rounded border border-border bg-background text-text-primary hover:bg-surface-elevated disabled:opacity-40 disabled:cursor-not-allowed transition-colors`,onClick:i.goToPrevTab,disabled:i.activeTab===0,tabIndex:-1,children:`← Prev`}),(0,Z.jsx)(`button`,{className:`px-3 py-1.5 text-xs rounded border border-border bg-background text-text-primary hover:bg-surface-elevated disabled:opacity-40 disabled:cursor-not-allowed transition-colors`,onClick:i.goToNextTab,disabled:i.activeTab===e.length-1,tabIndex:-1,children:`Next →`})]}),(0,Z.jsx)(`button`,{onClick:n,className:`px-4 py-1.5 rounded border border-border bg-background text-text-secondary text-xs hover:bg-surface-elevated transition-colors`,tabIndex:-1,children:`Skip`}),(0,Z.jsxs)(`button`,{onClick:c,disabled:!i.allAnswered,className:`px-4 py-1.5 rounded bg-primary text-primary-foreground text-xs font-medium hover:bg-primary/80 transition-colors disabled:opacity-40 disabled:cursor-not-allowed`,tabIndex:-1,children:[`Submit `,i.allAnswered?`✓`:`(${e.filter((e,t)=>i.hasAnswer(t)).length}/${e.length})`]})]})]})}function Xe({messages:e,messagesLoading:t,pendingApproval:n,onApprovalResponse:r,isStreaming:i,streamingStatus:a,connectingElapsed:o,thinkingWarningThreshold:s,projectName:c,onFork:l}){return t?(0,Z.jsxs)(`div`,{className:`flex flex-col items-center justify-center h-full gap-3 text-text-secondary`,children:[(0,Z.jsx)(H,{className:`size-10 text-text-subtle animate-pulse`}),(0,Z.jsx)(`p`,{className:`text-sm`,children:`Loading messages...`})]}):e.length===0&&!i?(0,Z.jsxs)(`div`,{className:`flex flex-col items-center justify-center h-full gap-3 text-text-secondary`,children:[(0,Z.jsx)(H,{className:`size-10 text-text-subtle`}),(0,Z.jsx)(`p`,{className:`text-sm`,children:`Send a message to start the conversation`})]}):(0,Z.jsxs)(Ie,{className:`flex-1 overflow-y-auto`,resize:`smooth`,initial:`instant`,children:[(0,Z.jsxs)(Ie.Content,{className:`p-4 space-y-4`,children:[e.filter(e=>{let t=e.content&&e.content.trim().length>0,n=e.events&&e.events.length>0;return t||n}).map(e=>(0,Z.jsx)(Qe,{message:e,isStreaming:i&&e.id.startsWith(`streaming-`),projectName:c,onFork:e.role===`user`&&l?()=>l(e.content):void 0},e.id)),n&&(n.tool===`AskUserQuestion`?(0,Z.jsx)(pt,{approval:n,onRespond:r}):(0,Z.jsx)(ft,{approval:n,onRespond:r})),i&&(0,Z.jsx)(ut,{lastMessage:e[e.length-1],streamingStatus:a,elapsed:o,warningThreshold:s})]}),(0,Z.jsx)(Ze,{})]})}function Ze(){let{isAtBottom:e,scrollToBottom:t}=Le();return e?null:(0,Z.jsxs)(`button`,{onClick:()=>t(),className:`absolute bottom-4 left-1/2 -translate-x-1/2 z-10 flex items-center gap-1 px-3 py-1 rounded-full bg-surface-elevated border border-border text-xs text-text-secondary hover:text-foreground shadow-lg transition-all`,children:[(0,Z.jsx)(u,{className:`size-3`}),`Scroll to bottom`]})}function Qe({message:e,isStreaming:t,projectName:n,onFork:r}){return e.role===`user`?(0,Z.jsx)(it,{content:e.content,projectName:n,onFork:r}):e.role===`system`?(0,Z.jsxs)(`div`,{className:`flex items-center gap-2 rounded-lg bg-red-500/10 border border-red-500/20 px-3 py-2 text-sm text-red-400`,children:[(0,Z.jsx)(O,{className:`size-4 shrink-0`}),(0,Z.jsx)(`p`,{children:e.content})]}):(0,Z.jsxs)(`div`,{className:`flex flex-col gap-2`,children:[e.events&&e.events.length>0?(0,Z.jsx)(st,{events:e.events,isStreaming:t,projectName:n}):e.content&&(0,Z.jsx)(`div`,{className:`text-sm text-text-primary`,children:(0,Z.jsx)(dt,{content:e.content,projectName:n})}),!t&&e.accountLabel&&(0,Z.jsxs)(`p`,{className:`text-[10px] select-none`,style:{color:`var(--color-text-subtle)`},children:[`via `,e.accountLabel]})]})}var $e=new Set([`.png`,`.jpg`,`.jpeg`,`.gif`,`.webp`]);function et(e){let t=e.match(/^\[Attached file: (.+?)\]\n\n?/);if(t)return{files:[t[1]],text:e.slice(t[0].length)};let n=e.match(/^\[Attached files:\n([\s\S]+?)\]\n\n?/);return n?{files:n[1].split(`
|
|
6
|
-
`).map(e=>e.trim()).filter(Boolean),text:e.slice(n[0].length)}:{files:[],text:e}}function tt(e,t){let n=w(e);return`/api/project/${encodeURIComponent(t??`_`)}/chat/uploads/${encodeURIComponent(n)}`}function nt(e){let t=e.lastIndexOf(`.`);return t===-1?!1:$e.has(e.slice(t).toLowerCase())}function rt(e){return e.toLowerCase().endsWith(`.pdf`)}function it({content:e,projectName:t,onFork:r}){let{files:i,text:a}=(0,Y.useMemo)(()=>et(e),[e]);return(0,Z.jsx)(`div`,{className:`flex justify-end group/user`,children:(0,Z.jsxs)(`div`,{className:`rounded-lg bg-primary/10 px-3 py-2 text-sm text-text-primary max-w-[85%] space-y-2 relative`,children:[i.length>0&&(0,Z.jsx)(`div`,{className:`flex flex-wrap gap-2`,children:i.map((e,n)=>nt(e)?(0,Z.jsx)(at,{src:tt(e,t),alt:w(e)||`image`},n):rt(e)?(0,Z.jsx)(ot,{src:tt(e,t),filename:w(e)||`document.pdf`,mimeType:`application/pdf`},n):(0,Z.jsxs)(`div`,{className:`flex items-center gap-1.5 rounded-md border border-border bg-background/50 px-2 py-1 text-xs text-text-secondary`,children:[(0,Z.jsx)(P,{className:`size-3.5 shrink-0`}),(0,Z.jsx)(`span`,{className:`truncate max-w-40`,children:w(e)})]},n))}),a&&(0,Z.jsx)(`p`,{className:`whitespace-pre-wrap break-words`,children:a}),r&&(0,Z.jsx)(`button`,{onClick:r,title:`Retry from this message (fork session)`,className:`absolute -left-8 top-1/2 -translate-y-1/2 opacity-0 group-hover/user:opacity-100 transition-opacity size-6 flex items-center justify-center rounded bg-surface border border-border text-text-subtle hover:text-text-primary hover:bg-surface-elevated`,children:(0,Z.jsx)(n,{className:`size-3`})})]})})}function at({src:e,alt:t}){let[n,r]=(0,Y.useState)(null),[i,a]=(0,Y.useState)(!1);return(0,Y.useEffect)(()=>{let t,n=E();return fetch(e,{headers:n?{Authorization:`Bearer ${n}`}:{}}).then(e=>{if(!e.ok)throw Error(`Failed to load`);return e.blob()}).then(e=>{let n=URL.createObjectURL(e);t=n,r(n)}).catch(()=>a(!0)),()=>{t&&URL.revokeObjectURL(t)}},[e]),i?(0,Z.jsxs)(`div`,{className:`flex items-center gap-1.5 rounded-md border border-border bg-background/50 px-2 py-1 text-xs text-text-secondary`,children:[(0,Z.jsx)(G,{className:`size-3.5 shrink-0`}),(0,Z.jsx)(`span`,{className:`truncate max-w-40`,children:t})]}):n?(0,Z.jsx)(`a`,{href:n,target:`_blank`,rel:`noopener noreferrer`,className:`block`,children:(0,Z.jsx)(`img`,{src:n,alt:t,className:`rounded-md max-h-48 max-w-full object-contain border border-border`})}):(0,Z.jsx)(`div`,{className:`rounded-md bg-surface border border-border h-24 w-32 animate-pulse`})}function ot({src:e,filename:t,mimeType:n}){let[r,i]=(0,Y.useState)(!1);return(0,Z.jsxs)(`button`,{type:`button`,onClick:(0,Y.useCallback)(async()=>{i(!0);try{let t=E(),r=await fetch(e,{headers:t?{Authorization:`Bearer ${t}`}:{}});if(!r.ok)throw Error(`Failed to load`);let i=await r.blob(),a=URL.createObjectURL(new Blob([i],{type:n}));window.open(a,`_blank`),setTimeout(()=>URL.revokeObjectURL(a),6e4)}catch{window.open(e,`_blank`)}finally{i(!1)}},[e,n]),disabled:r,className:`flex items-center gap-1.5 rounded-md border border-border bg-background/50 px-2 py-1 text-xs text-text-secondary hover:bg-surface hover:text-text-primary transition-colors cursor-pointer disabled:opacity-50`,children:[(0,Z.jsx)(P,{className:`size-3.5 shrink-0 text-red-400`}),(0,Z.jsx)(`span`,{className:`truncate max-w-40`,children:t}),r&&(0,Z.jsx)(`span`,{className:`animate-spin text-[10px]`,children:`...`})]})}function st({events:e,isStreaming:t,projectName:n}){let r=[],i=``,a=``;for(let t=0;t<e.length;t++){let n=e[t];if(n.type===`thinking`){i&&=(r.push({kind:`text`,content:i}),``),a+=n.content;continue}a&&=(r.push({kind:`thinking`,content:a}),``),n.type===`text`?i+=n.content:n.type===`tool_use`?(i&&=(r.push({kind:`text`,content:i}),``),r.push({kind:`tool`,tool:n})):n.type===`tool_result`||(i&&=(r.push({kind:`text`,content:i}),``),r.push({kind:`tool`,tool:n}))}a&&r.push({kind:`thinking`,content:a}),i&&r.push({kind:`text`,content:i});let o=e.filter(e=>e.type===`tool_result`);for(let e of o){let t=e.toolUseId;if(t){let n=r.find(e=>e.kind===`tool`&&e.tool.type===`tool_use`&&e.tool.toolUseId===t);if(n){n.result=e;continue}}let n=r.find(e=>e.kind===`tool`&&!e.result);n&&(n.result=e)}for(let e=0;e<r.length;e++){let n=r[e];if(n.kind===`tool`&&!n.result){let i=!1;if(n.tool.type===`tool_use`&&n.tool.tool===`Read`){let t=n.tool.input?.file_path;t&&(i=r.slice(e+1).some(e=>e.kind===`tool`&&e.result&&e.tool.type===`tool_use`&&e.tool.tool===`Edit`&&e.tool.input?.file_path===t))}n.completed=i||!t}}return(0,Z.jsx)(Z.Fragment,{children:r.map((e,i)=>{if(e.kind===`thinking`)return(0,Z.jsx)(ct,{content:e.content,isStreaming:t&&i===r.length-1},`think-${i}`);if(e.kind===`text`){let a=t&&i===r.length-1;return(0,Z.jsx)(`div`,{className:`text-sm text-text-primary`,children:(0,Z.jsx)(lt,{content:e.content,animate:a,projectName:n})},`text-${i}`)}return(0,Z.jsx)(ze,{tool:e.tool,result:e.result,completed:e.completed,projectName:n},`tool-${i}`)})})}function ct({content:e,isStreaming:t}){let[n,r]=(0,Y.useState)(t);return(0,Y.useEffect)(()=>{!t&&e.length>0&&r(!1)},[t,e.length]),(0,Z.jsxs)(`div`,{className:`rounded border border-border/50 bg-surface/30 text-xs`,children:[(0,Z.jsxs)(`button`,{onClick:()=>r(!n),className:`flex items-center gap-2 px-2 py-1.5 w-full text-left hover:bg-surface transition-colors text-text-subtle`,children:[t?(0,Z.jsx)(z,{className:`size-3 animate-spin`}):(0,Z.jsx)(I,{className:`size-3 transition-transform ${n?`rotate-90`:``}`}),(0,Z.jsxs)(`span`,{children:[`Thinking`,t?`...`:``]}),!t&&(0,Z.jsx)(`span`,{className:`text-text-subtle/50 ml-auto`,children:e.length>100?`${Math.round(e.length/4)} tokens`:``})]}),n&&(0,Z.jsx)(`div`,{className:`px-2 pb-2 text-text-subtle/80 whitespace-pre-wrap max-h-60 overflow-y-auto text-[11px] leading-relaxed`,children:e})]})}function lt({content:e,animate:t,projectName:n}){return(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(dt,{content:e,projectName:n}),t&&(0,Z.jsx)(`span`,{className:`text-text-subtle text-sm animate-pulse`,children:`Thinking...`})]})}function ut({lastMessage:e,streamingStatus:t,elapsed:n,warningThreshold:r=15}){let i=!e||e.role!==`assistant`,a=e?.events?.length?e.events[e.events.length-1].type===`tool_result`:!1;return!i&&!a?null:(0,Z.jsxs)(`div`,{className:`flex flex-col gap-1 text-sm`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center gap-2 text-text-subtle`,children:[(0,Z.jsx)(z,{className:`size-3 animate-spin`}),(0,Z.jsxs)(`span`,{children:[`Thinking`,i&&(n??0)>0&&(0,Z.jsxs)(`span`,{className:`text-text-subtle/60`,children:[`... (`,n,`s)`]})]})]}),i&&(n??0)>=r&&(0,Z.jsx)(`p`,{className:`text-xs text-yellow-500/80 ml-5`,children:`Taking longer than usual — may be rate-limited or API slow. Try sending a new message to retry.`})]})}function dt({content:e,projectName:t}){return(0,Z.jsx)(ne,{content:e,projectName:t,codeActions:!0})}function ft({approval:e,onRespond:t}){return(0,Z.jsxs)(`div`,{className:`rounded-lg border-2 border-yellow-500/40 bg-yellow-500/10 p-3 space-y-2`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center gap-2 text-yellow-400 text-sm font-medium`,children:[(0,Z.jsx)(ce,{className:`size-4`}),(0,Z.jsx)(`span`,{children:`Tool Approval Required`})]}),(0,Z.jsx)(`div`,{className:`text-xs text-text-primary`,children:(0,Z.jsx)(`span`,{className:`font-medium`,children:e.tool})}),(0,Z.jsx)(`pre`,{className:`text-xs font-mono text-text-secondary overflow-x-auto bg-background rounded p-2 border border-border`,children:JSON.stringify(e.input,null,2)}),(0,Z.jsxs)(`div`,{className:`flex gap-2`,children:[(0,Z.jsx)(`button`,{onClick:()=>t(e.requestId,!0),className:`px-4 py-1.5 rounded bg-green-600 text-white text-xs font-medium hover:bg-green-500 transition-colors`,children:`Allow`}),(0,Z.jsx)(`button`,{onClick:()=>t(e.requestId,!1),className:`px-4 py-1.5 rounded bg-red-600 text-white text-xs font-medium hover:bg-red-500 transition-colors`,children:`Deny`})]})]})}function pt({approval:e,onRespond:t}){return(0,Z.jsx)(Ye,{questions:e.input.questions??[],onSubmit:n=>t(e.requestId,!0,n),onSkip:()=>t(e.requestId,!1)})}var mt=new Set([`image/png`,`image/jpeg`,`image/gif`,`image/webp`]),ht=new Set([`application/pdf`]),gt=[`text/`,`application/json`,`application/xml`,`application/javascript`,`application/typescript`,`application/x-yaml`,`application/toml`,`application/x-sh`],_t=new Set(`.ts,.tsx,.js,.jsx,.mjs,.cjs,.py,.rb,.go,.rs,.java,.kt,.swift,.c,.cpp,.h,.hpp,.cs,.json,.yaml,.yml,.toml,.xml,.md,.mdx,.txt,.csv,.tsv,.html,.css,.scss,.less,.sass,.sh,.bash,.zsh,.fish,.sql,.graphql,.gql,.env,.ini,.cfg,.conf,.dockerfile,.makefile,.vue,.svelte,.astro,.ipynb`.split(`,`));function vt(e){return mt.has(e.type)}function yt(e){if(mt.has(e.type)||ht.has(e.type)||gt.some(t=>e.type.startsWith(t)))return!0;let t=bt(e.name);return!!(t&&_t.has(t))}function bt(e){let t=e.lastIndexOf(`.`);return t===-1?``:e.slice(t).toLowerCase()}function xt({attachments:e,onRemove:t}){return e.length===0?null:(0,Z.jsx)(`div`,{className:`flex flex-wrap gap-1.5 px-2 md:px-4 pt-2`,children:e.map(e=>(0,Z.jsxs)(`div`,{className:`flex items-center gap-1.5 rounded-md border border-border bg-surface px-2 py-1 text-xs text-text-secondary max-w-48`,children:[e.previewUrl?(0,Z.jsx)(`img`,{src:e.previewUrl,alt:e.name,className:`size-5 rounded object-cover shrink-0`}):e.isImage?(0,Z.jsx)(G,{className:`size-3.5 shrink-0 text-text-subtle`}):(0,Z.jsx)(P,{className:`size-3.5 shrink-0 text-text-subtle`}),(0,Z.jsx)(`span`,{className:`truncate`,children:e.name}),e.status===`uploading`?(0,Z.jsx)(z,{className:`size-3 shrink-0 animate-spin text-text-subtle`}):e.status===`error`?(0,Z.jsx)(`span`,{className:`text-red-500 shrink-0`,title:`Upload failed`,children:`!`}):null,(0,Z.jsx)(`button`,{type:`button`,onClick:()=>t(e.id),className:`shrink-0 rounded-sm p-0.5 hover:bg-border/50 transition-colors`,"aria-label":`Remove ${e.name}`,children:(0,Z.jsx)(r,{className:`size-3`})})]},e.id))})}function St(e){let t=[];function n(e){for(let r of e)t.push(r),r.children&&n(r.children)}return n(e),t}function Ct({items:e,filter:t,onSelect:n,onClose:r,visible:i}){let[a,o]=(0,Y.useState)(0),s=(0,Y.useRef)(null),c=(()=>{if(!t)return e.slice(0,50);let n=t.toLowerCase();return e.filter(e=>e.path.toLowerCase().includes(n)||e.name.toLowerCase().includes(n)).slice(0,50)})();(0,Y.useEffect)(()=>{o(0)},[t]),(0,Y.useEffect)(()=>{let e=s.current;e&&e.children[a]?.scrollIntoView({block:`nearest`})},[a]);let l=(0,Y.useCallback)(e=>{if(!i||c.length===0)return!1;switch(e.key){case`ArrowUp`:return e.preventDefault(),o(e=>e>0?e-1:c.length-1),!0;case`ArrowDown`:return e.preventDefault(),o(e=>e<c.length-1?e+1:0),!0;case`Enter`:case`Tab`:return e.preventDefault(),c[a]&&n(c[a]),!0;case`Escape`:return e.preventDefault(),r(),!0}return!1},[i,c,a,n,r]);return(0,Y.useEffect)(()=>{if(!i)return;let e=e=>{l(e)&&e.stopPropagation()};return document.addEventListener(`keydown`,e,!0),()=>document.removeEventListener(`keydown`,e,!0)},[i,l]),!i||c.length===0?null:(0,Z.jsx)(`div`,{className:`max-h-52 overflow-y-auto border-b border-border bg-surface`,children:(0,Z.jsx)(`div`,{ref:s,className:`py-1`,children:c.map((e,t)=>(0,Z.jsxs)(`button`,{className:`flex items-center gap-2 w-full px-3 py-1.5 text-left transition-colors ${t===a?`bg-primary/10 text-primary`:`hover:bg-surface-hover text-text-primary`}`,onMouseEnter:()=>o(t),onClick:()=>n(e),children:[(0,Z.jsx)(`span`,{className:`shrink-0`,children:e.type===`directory`?(0,Z.jsx)(j,{className:`size-4 text-amber-500`}):(0,Z.jsx)(M,{className:`size-4 text-blue-400`})}),(0,Z.jsx)(`span`,{className:`text-sm truncate`,children:e.path})]},e.path))})})}function wt({onSend:e,isStreaming:t,onCancel:n,disabled:r,projectName:i,onSlashStateChange:a,onSlashItemsLoaded:o,slashSelected:s,onFileStateChange:c,onFileItemsLoaded:l,fileSelected:u,externalFiles:d,initialValue:f}){let[p,m]=(0,Y.useState)(f??``),[h,g]=(0,Y.useState)([]),_=(0,Y.useRef)(null),v=(0,Y.useRef)(null),y=(0,Y.useRef)(null),b=(0,Y.useRef)([]),x=(0,Y.useRef)([]);(0,Y.useEffect)(()=>{f&&(m(f),setTimeout(()=>{let e=_.current;e&&(e.focus(),e.selectionStart=e.selectionEnd=e.value.length)},50))},[f]),(0,Y.useEffect)(()=>{if(!i){b.current=[],o?.([]);return}D.get(`${T(i)}/chat/slash-items`).then(e=>{b.current=e,o?.(e)}).catch(()=>{b.current=[],o?.([])})},[i]),(0,Y.useEffect)(()=>{if(!i){x.current=[],l?.([]);return}D.get(`${T(i)}/files/tree?depth=5`).then(e=>{let t=St(e);x.current=t,l?.(t)}).catch(()=>{x.current=[],l?.([])})},[i]),(0,Y.useEffect)(()=>{if(!s)return;let e=_.current,t=e?.selectionStart??p.length,n=p.slice(0,t),r=p.slice(t),i=n.replace(/(?:^|\s)\/\S*$/,e=>`${e.startsWith(`/`)?``:e[0]}/${s.name} `);m(i+r),a?.(!1,``),c?.(!1,``),e&&(e.focus(),setTimeout(()=>{e.selectionStart=e.selectionEnd=i.length},0))},[s]),(0,Y.useEffect)(()=>{if(!u)return;let e=_.current;if(!e)return;let t=e.selectionStart,n=p.slice(0,t),r=p.slice(t),i=n.match(/@(\S*)$/);if(i){let t=n.length-i[0].length;m(n.slice(0,t)+`@${u.path} `+r);let a=t+u.path.length+2;setTimeout(()=>{e.selectionStart=e.selectionEnd=a,e.focus()},0)}else{let t=p+`@${u.path} `;m(t),setTimeout(()=>{e.selectionStart=e.selectionEnd=t.length,e.focus()},0)}c?.(!1,``)},[u]),(0,Y.useEffect)(()=>{!d||d.length===0||w(d)},[d]);let S=(0,Y.useCallback)(async e=>{if(!i)return null;try{let t=new FormData;t.append(`files`,e);let n={},r=E();r&&(n.Authorization=`Bearer ${r}`);let a=await(await fetch(`${T(i)}/chat/upload`,{method:`POST`,headers:n,body:t})).json();return a.ok&&Array.isArray(a.data)&&a.data.length>0?a.data[0].path:null}catch{return null}},[i]),w=(0,Y.useCallback)(e=>{for(let t of e){if(!yt(t)){m(e=>e+(e.length>0&&!e.endsWith(` `)?` `:``)+t.name);continue}let e=C(),n=vt(t),r=n?URL.createObjectURL(t):void 0,i={id:e,name:t.name,file:t,isImage:n,previewUrl:r,status:`uploading`};g(e=>[...e,i]),S(t).then(t=>{g(n=>n.map(n=>n.id===e?{...n,serverPath:t??void 0,status:t?`ready`:`error`}:n))})}(v.current??_.current)?.focus()},[S]),O=(0,Y.useCallback)(e=>{g(t=>{let n=t.find(t=>t.id===e);return n?.previewUrl&&URL.revokeObjectURL(n.previewUrl),t.filter(t=>t.id!==e)})},[]),k=(0,Y.useCallback)(()=>{let t=p.trim(),n=h.filter(e=>e.status===`ready`);if(!(!t&&n.length===0)&&!r){a?.(!1,``),c?.(!1,``),e(t,n),m(``);for(let e of h)e.previewUrl&&URL.revokeObjectURL(e.previewUrl);g([]),_.current&&(_.current.style.height=`auto`),v.current&&(v.current.style.height=`auto`)}},[p,h,r,e,a,c]),A=(0,Y.useCallback)(e=>{e.key===`Enter`&&!e.shiftKey&&(e.preventDefault(),k())},[k]),j=(0,Y.useCallback)((e,t)=>{let n=e.slice(0,t),r=n.match(/(?:^|\s)\/(\S*)$/);if(r&&b.current.length>0){a?.(!0,r[1]??``),c?.(!1,``);return}let i=n.match(/@(\S*)$/);if(i&&x.current.length>0){c?.(!0,i[1]??``),a?.(!1,``);return}a?.(!1,``),c?.(!1,``)},[a,c]),M=(0,Y.useCallback)(e=>{m(e),setTimeout(()=>{j(e,_.current?.selectionStart??e.length)},0)},[j]),N=(0,Y.useCallback)(e=>{let t=e?.target??_.current;t&&(t.style.height=`auto`,t.style.height=Math.min(t.scrollHeight,160)+`px`)},[]),P=(0,Y.useCallback)(e=>{let t=e.clipboardData?.items;if(!t)return;let n=[];for(let e of t)if(e.kind===`file`){let t=e.getAsFile();t&&n.push(t)}n.length>0&&(e.preventDefault(),w(n))},[w]),F=(0,Y.useCallback)(e=>{e.preventDefault();let t=Array.from(e.dataTransfer.files);t.length>0&&w(t)},[w]),I=(0,Y.useCallback)(e=>{e.preventDefault()},[]),L=(0,Y.useCallback)(()=>{y.current?.click()},[]),R=(0,Y.useCallback)(e=>{let t=Array.from(e.target.files??[]);t.length>0&&w(t),e.target.value=``},[w]),z=p.trim().length>0||h.some(e=>e.status===`ready`),B=t&&!z;return(0,Z.jsxs)(`div`,{className:`p-2 md:p-3 bg-background`,children:[(0,Z.jsxs)(`div`,{className:`border border-border rounded-xl md:rounded-2xl bg-surface shadow-sm cursor-text`,onClick:()=>!r&&(v.current??_.current)?.focus(),children:[(0,Z.jsx)(xt,{attachments:h,onRemove:O}),(0,Z.jsxs)(`div`,{className:`flex items-end gap-1 md:hidden px-2 py-2`,children:[(0,Z.jsx)(`button`,{type:`button`,onClick:e=>{e.stopPropagation(),L()},disabled:r,className:`flex items-center justify-center size-7 shrink-0 rounded-full text-text-subtle hover:text-text-primary transition-colors disabled:opacity-50`,"aria-label":`Attach file`,children:(0,Z.jsx)(oe,{className:`size-4`})}),(0,Z.jsx)(`textarea`,{ref:v,value:p,onChange:e=>{M(e.target.value),N(e)},onKeyDown:A,onPaste:P,onDrop:F,onDragOver:I,placeholder:t?`Follow-up...`:`Ask anything...`,disabled:r,rows:1,className:`flex-1 resize-none bg-transparent py-1.5 text-sm text-foreground placeholder:text-text-subtle focus:outline-none disabled:opacity-50 max-h-20`}),B?(0,Z.jsx)(`button`,{onClick:e=>{e.stopPropagation(),n?.()},className:`flex items-center justify-center size-7 shrink-0 rounded-full bg-red-600 text-white hover:bg-red-500 transition-colors`,"aria-label":`Stop`,children:(0,Z.jsx)(J,{className:`size-3`})}):(0,Z.jsx)(`button`,{onClick:e=>{e.stopPropagation(),k()},disabled:r||!z,className:`flex items-center justify-center size-7 shrink-0 rounded-full bg-primary text-primary-foreground hover:bg-primary/90 disabled:opacity-30 transition-colors`,"aria-label":`Send`,children:(0,Z.jsx)(V,{className:`size-3.5`})})]}),(0,Z.jsxs)(`div`,{className:`hidden md:block`,children:[(0,Z.jsx)(`textarea`,{ref:_,value:p,onChange:e=>{M(e.target.value),N(e)},onKeyDown:A,onPaste:P,onDrop:F,onDragOver:I,placeholder:t?`Follow-up or Stop...`:`Ask anything...`,disabled:r,rows:1,className:`w-full resize-none bg-transparent px-4 pt-3 pb-1 text-sm text-foreground placeholder:text-text-subtle focus:outline-none disabled:opacity-50 max-h-40`}),(0,Z.jsxs)(`div`,{className:`flex items-center justify-between px-3 pb-2`,children:[(0,Z.jsx)(`div`,{className:`flex items-center gap-1`,children:(0,Z.jsx)(`button`,{type:`button`,onClick:e=>{e.stopPropagation(),L()},disabled:r,className:`flex items-center justify-center size-8 rounded-full text-text-subtle hover:text-text-primary hover:bg-surface-elevated transition-colors disabled:opacity-50`,"aria-label":`Attach file`,children:(0,Z.jsx)(oe,{className:`size-4`})})}),(0,Z.jsx)(`div`,{className:`flex items-center gap-1`,children:B?(0,Z.jsx)(`button`,{onClick:e=>{e.stopPropagation(),n?.()},className:`flex items-center justify-center size-8 rounded-full bg-red-600 text-white hover:bg-red-500 transition-colors`,"aria-label":`Stop response`,children:(0,Z.jsx)(J,{className:`size-3.5`})}):(0,Z.jsx)(`button`,{onClick:e=>{e.stopPropagation(),k()},disabled:r||!z,className:`flex items-center justify-center size-8 rounded-full bg-primary text-primary-foreground hover:bg-primary/90 disabled:opacity-30 disabled:cursor-not-allowed transition-colors`,"aria-label":`Send message`,children:(0,Z.jsx)(V,{className:`size-4`})})})]})]})]}),(0,Z.jsx)(`input`,{ref:y,type:`file`,multiple:!0,className:`hidden`,onChange:R})]})}function Tt({items:e,filter:t,onSelect:n,onClose:r,visible:i}){let[a,o]=(0,Y.useState)(0),s=(0,Y.useRef)(null),c=e.filter(e=>{let n=t.toLowerCase();return e.name.toLowerCase().includes(n)||e.description.toLowerCase().includes(n)});(0,Y.useEffect)(()=>{o(0)},[t]),(0,Y.useEffect)(()=>{let e=s.current;e&&e.children[a]?.scrollIntoView({block:`nearest`})},[a]);let l=(0,Y.useCallback)(e=>{if(!i||c.length===0)return!1;switch(e.key){case`ArrowUp`:return e.preventDefault(),o(e=>e>0?e-1:c.length-1),!0;case`ArrowDown`:return e.preventDefault(),o(e=>e<c.length-1?e+1:0),!0;case`Enter`:case`Tab`:return e.preventDefault(),c[a]&&n(c[a]),!0;case`Escape`:return e.preventDefault(),r(),!0}return!1},[i,c,a,n,r]);return(0,Y.useEffect)(()=>{if(!i)return;let e=e=>{l(e)&&e.stopPropagation()};return document.addEventListener(`keydown`,e,!0),()=>document.removeEventListener(`keydown`,e,!0)},[i,l]),!i||c.length===0?null:(0,Z.jsx)(`div`,{className:`max-h-52 overflow-y-auto border-b border-border bg-surface`,children:(0,Z.jsx)(`div`,{ref:s,className:`py-1`,children:c.map((e,t)=>(0,Z.jsxs)(`button`,{className:`flex items-start gap-3 w-full px-3 py-2 text-left transition-colors ${t===a?`bg-primary/10 text-primary`:`hover:bg-surface-hover text-text-primary`}`,onMouseEnter:()=>o(t),onClick:()=>n(e),children:[(0,Z.jsx)(`span`,{className:`shrink-0 mt-0.5`,children:e.type===`skill`?(0,Z.jsx)(q,{className:`size-4 text-amber-500`}):(0,Z.jsx)(k,{className:`size-4 text-blue-500`})}),(0,Z.jsxs)(`div`,{className:`min-w-0 flex-1`,children:[(0,Z.jsxs)(`div`,{className:`flex items-baseline gap-2`,children:[(0,Z.jsxs)(`span`,{className:`font-medium text-sm`,children:[`/`,e.name]}),e.argumentHint&&(0,Z.jsx)(`span`,{className:`text-xs text-text-subtle`,children:e.argumentHint}),(0,Z.jsx)(`span`,{className:`text-xs text-text-subtle capitalize ml-auto`,children:e.scope===`user`?`global`:e.type})]}),e.description&&(0,Z.jsx)(`p`,{className:`text-xs text-text-subtle mt-0.5 line-clamp-2`,children:e.description})]})]},`${e.type}-${e.name}`))})})}function Et(e){return e>=90?`text-red-500`:e>=70?`text-amber-500`:`text-green-500`}function Dt(e){return e>=90?`bg-red-500`:e>=70?`bg-amber-500`:`bg-green-500`}function Ot(e){if(!e)return null;let t=null;if(e.resetsInMinutes!=null)t=e.resetsInMinutes;else if(e.resetsInHours!=null)t=Math.round(e.resetsInHours*60);else if(e.resetsAt){let n=new Date(e.resetsAt).getTime()-Date.now();t=n>0?Math.ceil(n/6e4):0}if(t==null)return null;if(t<=0)return`now`;let n=Math.floor(t/1440),r=Math.floor(t%1440/60),i=t%60;return n>0?i>0?`${n}d ${r}h ${i}m`:r>0?`${n}d ${r}h`:`${n}d`:r>0?i>0?`${r}h ${i}m`:`${r}h`:`${i}m`}function $({label:e,bucket:t}){if(!t)return null;let n=Math.round(t.utilization*100),r=Ot(t);return(0,Z.jsxs)(`div`,{className:`space-y-1`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center justify-between`,children:[(0,Z.jsx)(`span`,{className:`text-xs font-medium text-text-primary`,children:e}),r&&(0,Z.jsxs)(`span`,{className:`text-[10px] text-text-subtle`,children:[`↻ `,r]})]}),(0,Z.jsxs)(`div`,{className:`flex items-center gap-2`,children:[(0,Z.jsx)(`div`,{className:`flex-1 h-2 rounded-full bg-border overflow-hidden`,children:(0,Z.jsx)(`div`,{className:`h-full rounded-full transition-all ${Dt(n)}`,style:{width:`${Math.min(n,100)}%`}})}),(0,Z.jsxs)(`span`,{className:`text-xs font-medium tabular-nums w-10 text-right ${Et(n)}`,children:[n,`%`]})]})]})}function kt(e){if(!e)return null;let t=Math.round((Date.now()-e)/1e3);if(t<5)return`just now`;if(t<60)return`${t}s ago`;let n=Math.floor(t/60);if(n<60)return`${n}m ago`;let r=Math.floor(n/60),i=n%60;return r<24?i>0?`${r}h ${i}m ago`:`${r}h ago`:`${Math.floor(r/24)}d ago`}function At({entry:e,isActive:t,accountInfo:n,onToggle:r,onVerify:i,verifyingId:a,onViewProfile:s,flash:c}){let{usage:l}=e,u=l.session||l.weekly||l.weeklyOpus||l.weeklySonnet,d=n?.status??e.accountStatus;return(0,Z.jsxs)(`div`,{className:`rounded-md border p-2 space-y-1.5 transition-colors duration-500 ${c?`bg-primary/10 border-primary/40`:``} ${t?`border-primary/30 bg-primary/5`:`border-border/50`}`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center gap-1.5`,children:[(0,Z.jsx)(`span`,{className:`text-xs font-medium truncate flex-1 min-w-0`,children:e.accountLabel??e.accountId.slice(0,8)}),!e.isOAuth&&(0,Z.jsx)(`span`,{className:`text-[9px] text-text-subtle shrink-0`,children:`API key`}),(0,Z.jsxs)(`div`,{className:`flex items-center gap-0.5 shrink-0`,children:[s&&n?.profileData&&(0,Z.jsx)(`button`,{className:`p-1 rounded cursor-pointer text-text-subtle hover:text-foreground hover:bg-surface-elevated transition-colors`,onClick:()=>s(n.profileData),title:`View profile`,children:(0,Z.jsx)(o,{className:`size-3`})}),i&&(0,Z.jsx)(`button`,{className:`p-1 rounded cursor-pointer text-text-subtle hover:text-green-600 hover:bg-surface-elevated transition-colors`,onClick:()=>i(e.accountId),disabled:a===e.accountId,title:`Verify token`,children:a===e.accountId?(0,Z.jsx)(z,{className:`size-3 animate-spin`}):(0,Z.jsx)(le,{className:`size-3`})}),r&&(0,Z.jsx)(_,{checked:d!==`disabled`,onCheckedChange:()=>r(e.accountId,d),disabled:d===`cooldown`,className:`scale-[0.6] cursor-pointer`})]})]}),u?(0,Z.jsxs)(`div`,{className:`space-y-1.5`,children:[(0,Z.jsx)($,{label:`5-Hour Session`,bucket:l.session}),(0,Z.jsx)($,{label:`Weekly`,bucket:l.weekly}),(0,Z.jsx)($,{label:`Weekly (Opus)`,bucket:l.weeklyOpus}),(0,Z.jsx)($,{label:`Weekly (Sonnet)`,bucket:l.weeklySonnet})]}):(0,Z.jsx)(`p`,{className:`text-[10px] text-text-subtle`,children:e.isOAuth?`No usage data yet`:`Usage tracking not available for API keys`}),l.lastFetchedAt&&(0,Z.jsxs)(`p`,{className:`text-[9px] text-text-subtle`,children:[`Updated: `,kt(new Date(l.lastFetchedAt).getTime())]})]})}function jt({usage:e,visible:t,onClose:n,onReload:i,loading:a,lastFetchedAt:o}){let[s,c]=(0,Y.useState)([]),[l,u]=(0,Y.useState)([]),[h,_]=(0,Y.useState)(null),[v,y]=(0,Y.useState)(!0),[b,x]=(0,Y.useState)(!1),[S,C]=(0,Y.useState)(new Set),[w,T]=(0,Y.useState)(null),[E,D]=(0,Y.useState)(null),O=(0,Y.useRef)([]);async function k(){let e=s.length>0;e?x(!0):y(!0);let[t,n,r]=await Promise.allSettled([p(),g(),d()]);if(t.status===`fulfilled`){let n=t.value;if(e&&O.current.length>0){let e=new Set,t=new Map(O.current.map(e=>[e.accountId,e]));for(let r of n){let n=t.get(r.accountId);if(!n){e.add(r.accountId);continue}let i=n.usage,a=r.usage;(i.session?.utilization!==a.session?.utilization||i.weekly?.utilization!==a.weekly?.utilization||i.weeklyOpus?.utilization!==a.weeklyOpus?.utilization||i.weeklySonnet?.utilization!==a.weeklySonnet?.utilization)&&e.add(r.accountId)}e.size>0&&(C(e),setTimeout(()=>C(new Set),1500))}O.current=n,c(n)}n.status===`fulfilled`&&u(n.value),r.status===`fulfilled`&&_(r.value?.id??null),y(!1),x(!1)}if((0,Y.useEffect)(()=>{t&&k()},[t]),(0,Y.useEffect)(()=>{!t||!o||k()},[o]),!t)return null;let A=new Map(l.map(e=>[e.id,e])),j=e.queryCostUsd!=null||e.totalCostUsd!=null,M=s.length>0;async function N(e,t){await f(e,{status:t===`disabled`?`active`:`disabled`}),k(),i?.()}async function P(e){T(e);try{await m(e),k()}catch{}T(null)}return(0,Z.jsxs)(`div`,{className:`border-b border-border bg-surface px-3 py-2.5 space-y-2.5 max-h-[350px] overflow-y-auto`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center justify-between`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center gap-2`,children:[(0,Z.jsx)(`span`,{className:`text-xs font-semibold text-text-primary`,children:`Usage & Accounts`}),o&&(0,Z.jsx)(`span`,{className:`text-[10px] text-text-subtle`,children:kt(new Date(o).getTime())})]}),(0,Z.jsxs)(`div`,{className:`flex items-center gap-1`,children:[i&&(0,Z.jsx)(`button`,{onClick:()=>{i(),k()},disabled:a||b,className:`text-xs text-text-subtle hover:text-text-primary px-1 disabled:opacity-50 cursor-pointer`,title:`Refresh`,children:(0,Z.jsx)(F,{className:`size-3 ${a||b?`animate-spin`:``}`})}),(0,Z.jsx)(`button`,{onClick:n,className:`text-xs text-text-subtle hover:text-text-primary px-1 cursor-pointer`,children:(0,Z.jsx)(r,{className:`size-3`})})]})]}),M||v?(0,Z.jsx)(`div`,{className:`grid grid-cols-[repeat(auto-fill,minmax(180px,1fr))] gap-1.5`,children:v?(0,Z.jsx)(`p`,{className:`text-[10px] text-text-subtle`,children:`Loading...`}):s.map(t=>(0,Z.jsx)(At,{entry:t,isActive:t.accountId===(h??e.activeAccountId),accountInfo:A.get(t.accountId),onToggle:N,onVerify:P,verifyingId:w,onViewProfile:D,flash:S.has(t.accountId)},t.accountId))}):(0,Z.jsx)(Z.Fragment,{children:e.session||e.weekly||e.weeklyOpus||e.weeklySonnet?(0,Z.jsxs)(`div`,{className:`space-y-2.5`,children:[(0,Z.jsx)($,{label:`5-Hour Session`,bucket:e.session}),(0,Z.jsx)($,{label:`Weekly`,bucket:e.weekly}),(0,Z.jsx)($,{label:`Weekly (Opus)`,bucket:e.weeklyOpus}),(0,Z.jsx)($,{label:`Weekly (Sonnet)`,bucket:e.weeklySonnet})]}):(0,Z.jsx)(`p`,{className:`text-xs text-text-subtle`,children:`No usage data available`})}),j&&(0,Z.jsxs)(`div`,{className:`border-t border-border pt-2 space-y-1`,children:[e.queryCostUsd!=null&&(0,Z.jsxs)(`div`,{className:`flex items-center justify-between text-xs`,children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Last query`}),(0,Z.jsxs)(`span`,{className:`text-text-primary font-medium tabular-nums`,children:[`$`,e.queryCostUsd.toFixed(4)]})]}),e.totalCostUsd!=null&&(0,Z.jsxs)(`div`,{className:`flex items-center justify-between text-xs`,children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Session total`}),(0,Z.jsxs)(`span`,{className:`text-text-primary font-medium tabular-nums`,children:[`$`,e.totalCostUsd.toFixed(4)]})]})]}),E&&(0,Z.jsxs)(`div`,{className:`border-t border-border pt-2`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center justify-between mb-1`,children:[(0,Z.jsx)(`span`,{className:`text-[10px] font-medium text-text-subtle`,children:`Profile`}),(0,Z.jsx)(`button`,{className:`text-text-subtle hover:text-foreground cursor-pointer`,onClick:()=>D(null),children:(0,Z.jsx)(r,{className:`size-3`})})]}),(0,Z.jsxs)(`div`,{className:`grid grid-cols-[70px_1fr] gap-x-2 gap-y-0.5 text-[10px]`,children:[E.account?.display_name&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Name`}),(0,Z.jsx)(`span`,{children:E.account.display_name})]}),E.account?.email&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Email`}),(0,Z.jsx)(`span`,{children:E.account.email})]}),E.organization?.name&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Org`}),(0,Z.jsx)(`span`,{children:E.organization.name})]}),E.organization?.organization_type&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Type`}),(0,Z.jsx)(`span`,{children:E.organization.organization_type})]}),E.organization?.rate_limit_tier&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Tier`}),(0,Z.jsx)(`span`,{children:E.organization.rate_limit_tier})]}),E.organization?.subscription_status&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`Status`}),(0,Z.jsx)(`span`,{children:E.organization.subscription_status})]})]})]})]})}function Mt(e){try{return new Date(e).toLocaleDateString(void 0,{month:`short`,day:`numeric`})}catch{return``}}function Nt(e){return e>=90?`text-red-500`:e>=70?`text-amber-500`:`text-green-500`}function Pt({projectName:e,usageInfo:t,contextWindowPct:n,usageLoading:i,refreshUsage:a,lastFetchedAt:o,sessionId:l,onSelectSession:u,onBugReport:d,isConnected:f,onReconnect:p}){let[m,g]=(0,Y.useState)(null),[_,v]=(0,Y.useState)([]),[y,b]=(0,Y.useState)(!1),S=L(e=>l?e.notifications.has(l):!1),C=L(e=>e.clearForSession),[w,E]=(0,Y.useState)(``),[O,k]=(0,Y.useState)(null),[j,M]=(0,Y.useState)(``),P=(0,Y.useRef)(null),I=x(e=>e.openTab),R=e=>{g(t=>t===e?null:e)},B=(0,Y.useCallback)(async()=>{if(e){b(!0);try{v(await D.get(`${T(e)}/chat/sessions`))}catch{}finally{b(!1)}}},[e]);(0,Y.useEffect)(()=>{m===`history`&&_.length===0&&B()},[m]);function te(t){u?(u(t),g(null)):I({type:`chat`,title:t.title||`Chat`,projectId:e??null,metadata:{projectName:e,sessionId:t.id},closable:!0})}let ne=(0,Y.useCallback)((e,t)=>{t.stopPropagation(),k(e.id),M(e.title||``),setTimeout(()=>P.current?.select(),0)},[]),V=(0,Y.useCallback)(async()=>{if(!O||!j.trim()||!e){k(null);return}try{await D.patch(`${T(e)}/chat/sessions/${O}`,{title:j.trim()}),v(e=>e.map(e=>e.id===O?{...e,title:j.trim()}:e))}catch{}k(null)},[O,j,e]),H=(0,Y.useCallback)(()=>k(null),[]),ie=w.trim()?_.filter(e=>(e.title||``).toLowerCase().includes(w.toLowerCase())):_,U=t.fiveHour==null?null:Math.round(t.fiveHour*100),W=t.sevenDay==null?null:Math.round(t.sevenDay*100),G=U!=null||W!=null?Nt(Math.max(U??0,W??0)):`text-text-subtle`;return(0,Z.jsxs)(`div`,{className:`border-b border-border/50`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center gap-1 px-2 py-1`,children:[(0,Z.jsxs)(`button`,{onClick:()=>R(`history`),className:`flex items-center gap-1 px-1.5 py-0.5 rounded text-[11px] transition-colors ${m===`history`?`text-primary bg-primary/10`:`text-text-secondary hover:text-foreground hover:bg-surface-elevated`}`,children:[(0,Z.jsx)(ae,{className:`size-3`}),(0,Z.jsx)(`span`,{children:`History`})]}),(0,Z.jsx)(`button`,{onClick:()=>R(`config`),className:`p-1 rounded transition-colors ${m===`config`?`text-primary bg-primary/10`:`text-text-subtle hover:text-text-secondary hover:bg-surface-elevated`}`,title:`AI Settings`,children:(0,Z.jsx)(se,{className:`size-3`})}),(0,Z.jsxs)(`button`,{onClick:()=>R(`usage`),className:`flex items-center gap-1 px-1.5 py-0.5 rounded text-[11px] font-medium tabular-nums transition-colors hover:bg-surface-elevated ${m===`usage`?`bg-primary/10`:``} ${G}`,title:`Usage limits`,children:[(0,Z.jsx)(re,{className:`size-3`}),t.activeAccountLabel&&(0,Z.jsxs)(`span`,{className:`text-text-secondary font-normal truncate max-w-[60px]`,children:[`[`,t.activeAccountLabel,`]`]}),(0,Z.jsxs)(`span`,{children:[`5h:`,U==null?`--%`:`${U}%`]}),(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`·`}),(0,Z.jsxs)(`span`,{children:[`Wk:`,W==null?`--%`:`${W}%`]}),n!=null&&(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`span`,{className:`text-text-subtle`,children:`·`}),(0,Z.jsxs)(`span`,{className:Nt(n),children:[`Ctx:`,n,`%`]})]})]}),(0,Z.jsx)(`div`,{className:`flex-1`}),S&&l&&(0,Z.jsx)(`button`,{onClick:()=>C(l),className:`p-1 rounded text-amber-500 hover:text-amber-400 hover:bg-surface-elevated transition-colors`,title:`Mark as read`,children:(0,Z.jsx)(s,{className:`size-3`})}),p&&(0,Z.jsx)(`button`,{onClick:p,className:`size-4 flex items-center justify-center`,title:f?`Connected`:`Disconnected — click to reconnect`,children:(0,Z.jsx)(`span`,{className:`size-2 rounded-full ${f?`bg-green-500`:`bg-red-500 animate-pulse`}`})})]}),m===`history`&&(0,Z.jsxs)(`div`,{className:`border-t border-border/30 bg-surface`,children:[(0,Z.jsxs)(`div`,{className:`flex items-center gap-1.5 px-2 py-1 border-b border-border/30`,children:[(0,Z.jsx)(ee,{className:`size-3 text-text-subtle shrink-0`}),(0,Z.jsx)(`input`,{type:`text`,value:w,onChange:e=>E(e.target.value),placeholder:`Search sessions...`,className:`flex-1 bg-transparent text-[11px] text-text-primary outline-none placeholder:text-text-subtle`}),(0,Z.jsx)(`button`,{onClick:B,disabled:y,className:`p-0.5 rounded text-text-subtle hover:text-text-secondary transition-colors disabled:opacity-50`,title:`Refresh`,children:(0,Z.jsx)(F,{className:`size-3 ${y?`animate-spin`:``}`})})]}),(0,Z.jsx)(`div`,{className:`max-h-[200px] overflow-y-auto`,children:y&&_.length===0?(0,Z.jsx)(`div`,{className:`flex items-center justify-center py-3`,children:(0,Z.jsx)(z,{className:`size-3.5 animate-spin text-text-subtle`})}):ie.length===0?(0,Z.jsx)(`div`,{className:`flex items-center justify-center py-3 text-[11px] text-text-subtle`,children:w?`No matching sessions`:`No sessions yet`}):ie.map(e=>(0,Z.jsxs)(`div`,{className:`flex items-center gap-2 w-full px-3 py-1.5 text-left hover:bg-surface-elevated transition-colors group`,children:[(0,Z.jsx)(N,{className:`size-3 shrink-0 text-text-subtle`}),O===e.id?(0,Z.jsxs)(`form`,{className:`flex items-center gap-1 flex-1 min-w-0`,onSubmit:e=>{e.preventDefault(),V()},children:[(0,Z.jsx)(`input`,{ref:P,value:j,onChange:e=>M(e.target.value),onBlur:V,onKeyDown:e=>{e.key===`Escape`&&H()},className:`flex-1 min-w-0 bg-surface-elevated text-[11px] text-text-primary px-1 py-0.5 rounded border border-border outline-none focus:border-primary`,autoFocus:!0}),(0,Z.jsx)(`button`,{type:`submit`,className:`p-0.5 text-green-500 hover:text-green-400`,onClick:e=>e.stopPropagation(),children:(0,Z.jsx)(c,{className:`size-3`})}),(0,Z.jsx)(`button`,{type:`button`,className:`p-0.5 text-text-subtle hover:text-text-secondary`,onClick:e=>{e.stopPropagation(),H()},children:(0,Z.jsx)(r,{className:`size-3`})})]}):(0,Z.jsxs)(Z.Fragment,{children:[(0,Z.jsx)(`button`,{onClick:()=>te(e),className:`text-[11px] truncate flex-1 text-left`,children:e.title||`Untitled`}),(0,Z.jsx)(`button`,{onClick:t=>ne(e,t),className:`p-0.5 rounded text-text-subtle hover:text-text-secondary opacity-0 group-hover:opacity-100 transition-opacity`,title:`Rename session`,children:(0,Z.jsx)(A,{className:`size-3`})})]}),O!==e.id&&e.updatedAt&&(0,Z.jsx)(`span`,{className:`text-[10px] text-text-subtle shrink-0`,children:Mt(e.updatedAt)})]},e.id))})]}),m===`config`&&(0,Z.jsx)(`div`,{className:`border-t border-border/30 bg-surface px-3 py-2 max-h-[280px] overflow-y-auto`,children:(0,Z.jsx)(h,{compact:!0})}),m===`usage`&&(0,Z.jsx)(jt,{usage:t,visible:!0,onClose:()=>g(null),onReload:a,loading:i,lastFetchedAt:o})]})}function Ft({metadata:e,tabId:t}){let[n,r]=(0,Y.useState)(e?.sessionId??null),[i,a]=(0,Y.useState)(e?.providerId??`claude`),[o,s]=(0,Y.useState)([]),[c,u]=(0,Y.useState)(!1),[d,f]=(0,Y.useState)(``),[p,m]=(0,Y.useState)(null),[h,g]=(0,Y.useState)([]),[_,v]=(0,Y.useState)(!1),[y,C]=(0,Y.useState)(``),[w,E]=(0,Y.useState)(null),[O,k]=(0,Y.useState)(!1),[A,j]=(0,Y.useState)(null),M=(0,Y.useRef)(0),N=e?.projectName??``,P=x(e=>e.updateTab),F=S(e=>e.version),{usageInfo:I,usageLoading:z,lastFetchedAt:ee,refreshUsage:te}=we(N,i);(0,Y.useEffect)(()=>{!t||!n||P(t,{metadata:{...e,sessionId:n,providerId:i}})},[n,i]);let{messages:ne,messagesLoading:re,isStreaming:V,streamingStatus:H,connectingElapsed:ie,thinkingWarningThreshold:U,pendingApproval:W,contextWindowPct:ae,sessionTitle:G,sendMessage:K,respondToApproval:oe,cancelStreaming:se,reconnect:ce,refetchMessages:le,isConnected:q}=Se(n,i,N);(0,Y.useEffect)(()=>{if(!n||!t)return;let e=()=>{if(document.hidden)return;let{panels:e,focusedPanelId:r}=b.getState();e[r]?.activeTabId===t&&L.getState().clearForSession(n)};e(),document.addEventListener(`visibilitychange`,e);let r=b.subscribe(e);return()=>{document.removeEventListener(`visibilitychange`,e),r()}},[n,t]),(0,Y.useEffect)(()=>{t&&G&&P(t,{title:G})},[G]);let J=(0,Y.useRef)(e?.pendingMessage);(0,Y.useEffect)(()=>{if(J.current&&q&&n){let n=J.current;J.current=void 0,t&&P(t,{metadata:{...e,pendingMessage:void 0}}),setTimeout(()=>K(n),100)}},[q,n]),(0,Y.useCallback)(()=>{x.getState().openTab({type:`chat`,title:`AI Chat`,metadata:{projectName:N},projectId:N||null,closable:!0})},[N]);let ue=(0,Y.useCallback)(e=>{r(e.id),a(e.providerId),t&&P(t,{title:e.title||`Chat`})},[t,P]),de=(0,Y.useCallback)(async e=>{if(!(!n||!N))try{let{api:t,projectUrl:r}=await R(async()=>{let{api:e,projectUrl:t}=await import(`./api-client-TUmacMRS.js`).then(e=>e.n);return{api:e,projectUrl:t}},__vite__mapDeps([0,1])),a=await t.post(`${r(N)}/chat/sessions/${n}/fork?providerId=${i}`);x.getState().openTab({type:`chat`,title:`Fork: ${e.slice(0,30)}`,metadata:{projectName:N,sessionId:a.id,providerId:i,pendingMessage:e},projectId:N||null,closable:!0})}catch(e){console.error(`Fork failed:`,e)}},[n,N,i]),fe=(0,Y.useCallback)((e,t)=>{if(t.length===0)return e;let n=t.filter(e=>e.serverPath).map(e=>e.serverPath).join(`
|
|
7
|
-
`);return n?(t.length===1?`[Attached file: ${n}]\n\n`:`[Attached files:\n${n}\n]\n\n`)+e:e},[]),pe=(0,Y.useCallback)(async(e,t=[])=>{let o=fe(e,t);if(o.trim()){if(!n)try{let t=N,n=await D.post(`${T(t)}/chat/sessions`,{providerId:i,title:e.slice(0,50)});r(n.id),a(n.providerId),setTimeout(()=>{K(o)},500);return}catch(e){console.error(`Failed to create session:`,e);return}K(o)}},[n,i,N,K,fe]),me=(0,Y.useCallback)((e,t)=>{u(e),f(t)},[]),he=(0,Y.useCallback)(e=>{m(e),u(!1),f(``),setTimeout(()=>m(null),50)},[]),X=(0,Y.useCallback)(()=>{u(!1),f(``)},[]),ge=(0,Y.useCallback)((e,t)=>{v(e),C(t)},[]),_e=(0,Y.useCallback)(e=>{E(e),v(!1),C(``),setTimeout(()=>E(null),50)},[]),ve=(0,Y.useCallback)(()=>{v(!1),C(``)},[]);return(0,Z.jsxs)(`div`,{className:`flex flex-col h-full relative`,onDragEnter:(0,Y.useCallback)(e=>{e.preventDefault(),M.current++,e.dataTransfer.types.includes(`Files`)&&k(!0)},[]),onDragLeave:(0,Y.useCallback)(e=>{e.preventDefault(),M.current--,M.current===0&&k(!1)},[]),onDragOver:(0,Y.useCallback)(e=>{e.preventDefault()},[]),onDrop:(0,Y.useCallback)(e=>{e.preventDefault(),M.current=0,k(!1);let t=Array.from(e.dataTransfer.files);t.length>0&&(j(t),setTimeout(()=>j(null),100))},[]),children:[O&&(0,Z.jsx)(`div`,{className:`absolute inset-0 z-50 flex items-center justify-center bg-background/80 backdrop-blur-sm border-2 border-dashed border-primary rounded-lg pointer-events-none`,children:(0,Z.jsxs)(`div`,{className:`flex flex-col items-center gap-2 text-primary`,children:[(0,Z.jsx)(l,{className:`size-8`}),(0,Z.jsx)(`span`,{className:`text-sm font-medium`,children:`Drop files to attach`})]})}),(0,Z.jsx)(Xe,{messages:ne,messagesLoading:re,pendingApproval:W,onApprovalResponse:oe,isStreaming:V,streamingStatus:H,connectingElapsed:ie,thinkingWarningThreshold:U,projectName:N,onFork:V?void 0:de}),(0,Z.jsxs)(`div`,{className:`border-t border-border bg-background shrink-0`,children:[(0,Z.jsx)(Pt,{projectName:N,usageInfo:I,contextWindowPct:ae,usageLoading:z,refreshUsage:te,lastFetchedAt:ee,sessionId:n,onSelectSession:ue,onBugReport:n?()=>B(F,{sessionId:n,projectName:N}):void 0,isConnected:q,onReconnect:()=>{q||ce(),le()}}),(0,Z.jsx)(Tt,{items:o,filter:d,onSelect:he,onClose:X,visible:c}),(0,Z.jsx)(Ct,{items:h,filter:y,onSelect:_e,onClose:ve,visible:_}),(0,Z.jsx)(wt,{onSend:pe,isStreaming:V,onCancel:se,projectName:N,onSlashStateChange:me,onSlashItemsLoaded:s,slashSelected:p,onFileStateChange:ge,onFileItemsLoaded:g,fileSelected:w,externalFiles:A})]})]})}export{Ft as ChatTab};
|
|
@@ -1 +0,0 @@
|
|
|
1
|
-
import{i as e,t}from"./react-CYzKIDNi.js";import{M as n,t as r}from"./input-CVIzrYsH.js";import{n as i,t as a}from"./jsx-runtime-wQxeESYQ.js";import{a as o,t as s}from"./tab-store-0CKk8cSr.js";import{t as c}from"./utils-DC-bdPS3.js";import{i as l,t as u}from"./api-client-TUmacMRS.js";import{A as d,L as f,S as p,T as m,U as h,a as g,c as _,d as v,f as y,i as ee,j as b,k as te,l as x,o as ne,p as S,r as re,s as ie,u as C}from"./index-CetGEOKq.js";var ae=i(`cherry`,[[`path`,{d:`M2 17a5 5 0 0 0 10 0c0-2.76-2.5-5-5-3-2.5-2-5 .24-5 3Z`,key:`cvxqlc`}],[`path`,{d:`M12 17a5 5 0 0 0 10 0c0-2.76-2.5-5-5-3-2.5-2-5 .24-5 3Z`,key:`1ostrc`}],[`path`,{d:`M7 14c3.22-2.91 4.29-8.75 5-12 1.66 2.38 4.94 9 5 12`,key:`hqx58h`}],[`path`,{d:`M22 9c-4.29 0-7.14-2.33-10-7 5.71 0 10 4.67 10 7Z`,key:`eykp1o`}]]),w=i(`git-merge`,[[`circle`,{cx:`18`,cy:`18`,r:`3`,key:`1xkwt0`}],[`circle`,{cx:`6`,cy:`6`,r:`3`,key:`1lh9wr`}],[`path`,{d:`M6 21V9a9 9 0 0 0 9 9`,key:`7kw0sc`}]]),T=i(`tag`,[[`path`,{d:`M12.586 2.586A2 2 0 0 0 11.172 2H4a2 2 0 0 0-2 2v7.172a2 2 0 0 0 .586 1.414l8.704 8.704a2.426 2.426 0 0 0 3.42 0l6.58-6.58a2.426 2.426 0 0 0 0-3.42z`,key:`vktsd0`}],[`circle`,{cx:`7.5`,cy:`7.5`,r:`.5`,fill:`currentColor`,key:`kqv944`}]]),E=e(t(),1),D=a(),O=[`#4fc3f7`,`#81c784`,`#ffb74d`,`#e57373`,`#ba68c8`,`#4dd0e1`,`#aed581`,`#ff8a65`,`#f06292`,`#7986cb`],k=32,A=20,oe=5;function j({metadata:e}){let t=e?.projectName,[i,a]=(0,E.useState)(null),[o,p]=(0,E.useState)(!0),[h,w]=(0,E.useState)(null),[j,M]=(0,E.useState)(!1),[N,P]=(0,E.useState)({type:null}),[F,I]=(0,E.useState)(``),[L,R]=(0,E.useState)(null),[z,ce]=(0,E.useState)([]),[le,B]=(0,E.useState)(!1),{openTab:V}=s(),H=(0,E.useCallback)(async()=>{if(t)try{p(!0),a(await u.get(`${l(t)}/git/graph?max=200`)),w(null)}catch(e){w(e instanceof Error?e.message:`Failed to fetch graph`)}finally{p(!1)}},[t]);(0,E.useEffect)(()=>{H();let e=setInterval(H,1e4);return()=>clearInterval(e)},[H]);let U=async(e,n)=>{if(t){M(!0);try{await u.post(`${l(t)}${e}`,n),await H()}catch(e){w(e instanceof Error?e.message:`Action failed`)}finally{M(!1)}}},W=e=>U(`/git/checkout`,{ref:e}),ue=e=>U(`/git/cherry-pick`,{hash:e}),de=e=>U(`/git/revert`,{hash:e}),fe=e=>U(`/git/merge`,{source:e}),pe=e=>U(`/git/branch/delete`,{name:e}),me=e=>U(`/git/push`,{branch:e}),G=async(e,t)=>{if(i?.branches.some(t=>t.name===e||t.name.endsWith(`/${e}`))){if(!window.confirm(`Branch "${e}" already exists.\nDelete it and recreate from this commit?`))return;await U(`/git/branch/delete`,{name:e})}await U(`/git/branch/create`,{name:e,from:t})},K=(e,t)=>U(`/git/tag`,{name:e,hash:t}),he=async e=>{if(t)try{let n=await u.get(`${l(t)}/git/pr-url?branch=${encodeURIComponent(e)}`);n.url&&window.open(n.url,`_blank`)}catch{}},q=e=>{navigator.clipboard.writeText(e)},ge=async e=>{if(L?.hash===e.hash){R(null);return}R(e),B(!0);try{let n=e.parents[0]??``,r=n?`ref1=${encodeURIComponent(n)}&`:``,i=await u.get(`${l(t)}/git/diff-stat?${r}ref2=${encodeURIComponent(e.hash)}`);ce(Array.isArray(i)?i:[])}catch(e){console.error(`diff-stat error:`,e),ce([])}finally{B(!1)}},_e=e=>{let n=e.parents[0];V({type:`git-diff`,title:`Diff ${e.abbreviatedHash}`,closable:!0,metadata:{projectName:t,ref1:n??void 0,ref2:e.hash},projectId:t??null})},{laneMap:J,maxLane:ve}=(0,E.useMemo)(()=>{let e=new Map;if(!i)return{laneMap:e,maxLane:0};let t=0,n=new Map;for(let r of i.commits){let i=n.get(r.hash);i===void 0&&(i=t++),e.set(r.hash,i),n.delete(r.hash);for(let e=0;e<r.parents.length;e++){let a=r.parents[e];n.has(a)||n.set(a,e===0?i:t++)}}return{laneMap:e,maxLane:Math.max(t-1,0)}},[i]),Y=i?.branches.find(e=>e.current),ye=(0,E.useMemo)(()=>{let e=new Map;if(!i)return e;for(let t of i.branches){let n=e.get(t.commitHash)??[];n.push({name:t.name,type:`branch`}),e.set(t.commitHash,n)}for(let t of i.commits)for(let n of t.refs)if(n.startsWith(`tag: `)){let r=n.replace(`tag: `,``),i=e.get(t.hash)??[];i.push({name:r,type:`tag`}),e.set(t.hash,i)}return e},[i]),be=(0,E.useMemo)(()=>{if(!i)return[];let e=[];for(let t=0;t<i.commits.length;t++){let n=i.commits[t],r=J.get(n.hash)??0,a=O[r%O.length];for(let o of n.parents){let s=i.commits.findIndex(e=>e.hash===o);if(s<0)continue;let c=J.get(o)??0,l=O[c%O.length],u=r*A+A/2,d=t*k+k/2,f=c*A+A/2,p=s*k+k/2,m,h=n.parents.indexOf(o)>0;if(u===f)m=`M ${u} ${d} L ${f} ${p}`;else if(h){let e=d+k;m=`M ${u} ${d} C ${u} ${e} ${f} ${d} ${f} ${e} L ${f} ${p}`}else{let e=p-k;m=`M ${u} ${d} L ${u} ${e} C ${u} ${p} ${f} ${e} ${f} ${p}`}let g=n.parents.indexOf(o)===0?a:l;e.push({d:m,color:g})}}return e},[i,J]);(ve+1)*A+A;let X=(i?.commits.length??0)*k,[Z,xe]=(0,E.useState)((typeof window<`u`&&window.innerWidth<768?6:10)*A+A),Q=(0,E.useRef)(!1),$=(0,E.useCallback)(e=>{Q.current=!0;let t=Z,n=n=>{if(!Q.current)return;let r=`touches`in n?n.touches[0].clientX:n.clientX;xe(Math.max(40,t+r-e))},r=()=>{Q.current=!1,window.removeEventListener(`mousemove`,n),window.removeEventListener(`mouseup`,r),window.removeEventListener(`touchmove`,n),window.removeEventListener(`touchend`,r)};window.addEventListener(`mousemove`,n),window.addEventListener(`mouseup`,r),window.addEventListener(`touchmove`,n,{passive:!1}),window.addEventListener(`touchend`,r)},[Z]),Se=(0,E.useCallback)(e=>{e.preventDefault(),$(e.clientX)},[$]),Ce=(0,E.useCallback)(e=>{$(e.touches[0].clientX)},[$]);if(!t)return(0,D.jsx)(`div`,{className:`flex items-center justify-center h-full text-muted-foreground text-sm`,children:`No project selected.`});if(o&&!i)return(0,D.jsxs)(`div`,{className:`flex items-center justify-center h-full gap-2 text-muted-foreground`,children:[(0,D.jsx)(te,{className:`size-5 animate-spin`}),(0,D.jsx)(`span`,{className:`text-sm`,children:`Loading git graph...`})]});if(h&&!i)return(0,D.jsxs)(`div`,{className:`flex flex-col items-center justify-center h-full gap-2 text-destructive text-sm`,children:[(0,D.jsx)(`p`,{children:h}),(0,D.jsx)(_,{variant:`outline`,size:`sm`,onClick:H,children:`Retry`})]});function we(e){let t=new Date(e),n=new Date().getTime()-t.getTime(),r=Math.floor(n/6e4);if(r<1)return`just now`;if(r<60)return`${r}m ago`;let i=Math.floor(r/60);if(i<24)return`${i}h ago`;let a=Math.floor(i/24);if(a<30)return`${a}d ago`;let o=Math.floor(a/30);return o<12?`${o}mo ago`:`${Math.floor(o/12)}y ago`}return(0,D.jsxs)(`div`,{className:`flex flex-col h-full`,children:[(0,D.jsxs)(`div`,{className:`flex items-center justify-between px-3 py-2 border-b`,children:[(0,D.jsxs)(`span`,{className:`text-sm font-medium`,children:[`Git Graph`,Y?` - ${Y.name}`:``]}),(0,D.jsx)(_,{variant:`ghost`,size:`icon-xs`,onClick:H,disabled:j,children:(0,D.jsx)(m,{className:o?`animate-spin`:``})})]}),h&&(0,D.jsx)(`div`,{className:`px-3 py-1.5 text-xs text-destructive bg-destructive/10`,children:h}),(0,D.jsx)(`div`,{className:`flex-1 overflow-y-auto overflow-x-auto md:overflow-x-hidden`,children:(0,D.jsxs)(`div`,{className:`flex min-w-max md:min-w-0`,style:{height:`${X}px`},children:[(0,D.jsxs)(`div`,{className:`sticky left-0 z-10 shrink-0 bg-background`,style:{width:`${Z}px`},children:[(0,D.jsxs)(`svg`,{width:Z,height:X,children:[be.map((e,t)=>(0,D.jsx)(`path`,{d:e.d,stroke:e.color,strokeWidth:2,fill:`none`},t)),i?.commits.map((e,t)=>{let n=J.get(e.hash)??0,r=n*A+A/2,i=t*k+k/2,a=O[n%O.length];return(0,D.jsx)(`circle`,{cx:r,cy:i,r:oe,fill:a,stroke:`#0f1419`,strokeWidth:2},e.hash)})]}),(0,D.jsx)(`div`,{className:`absolute top-0 right-0 w-3 md:w-2 h-full cursor-col-resize hover:bg-primary/20 flex items-center justify-center bg-primary/10 md:bg-transparent`,onMouseDown:Se,onTouchStart:Ce,children:(0,D.jsx)(d,{className:`size-3 text-muted-foreground md:opacity-0 md:hover:opacity-100`})})]}),(0,D.jsx)(`div`,{className:`flex-1 min-w-[400px]`,children:i?.commits.map((e,t)=>{let r=O[(J.get(e.hash)??0)%O.length],i=ye.get(e.hash)??[],a=i.filter(e=>e.type===`branch`),o=i.filter(e=>e.type===`tag`);return(0,D.jsxs)(x,{children:[(0,D.jsx)(S,{asChild:!0,children:(0,D.jsx)(`div`,{className:`flex items-center hover:bg-muted/50 cursor-pointer text-sm border-b border-border/30 ${L?.hash===e.hash?`bg-primary/10`:``}`,style:{height:`${k}px`},onClick:()=>ge(e),children:(0,D.jsxs)(`div`,{className:`flex items-center gap-2 flex-1 min-w-0 px-2`,children:[(0,D.jsx)(`span`,{className:`font-mono text-xs text-muted-foreground w-14 shrink-0`,children:e.abbreviatedHash}),a.map(e=>(0,D.jsx)(se,{label:e,color:r,currentBranch:Y,onCheckout:W,onMerge:fe,onPush:me,onCreatePr:he,onDelete:pe},`branch-${e.name}`)),o.map(e=>(0,D.jsxs)(`span`,{className:`inline-flex items-center gap-0.5 px-1.5 py-0.5 rounded text-[10px] font-medium shrink-0 bg-amber-500/20 text-amber-500 border border-amber-500/30`,children:[(0,D.jsx)(T,{className:`size-2.5`}),e.name]},`tag-${e.name}`)),(0,D.jsx)(`span`,{className:`flex-1 truncate`,children:e.subject}),(0,D.jsx)(`span`,{className:`text-xs text-muted-foreground shrink-0 hidden sm:inline`,children:e.authorName}),(0,D.jsx)(`span`,{className:`text-xs text-muted-foreground shrink-0 w-14 text-right`,children:we(e.authorDate)})]})})}),(0,D.jsxs)(C,{children:[(0,D.jsx)(v,{onClick:()=>W(e.hash),children:`Checkout`}),(0,D.jsxs)(v,{onClick:()=>{P({type:`branch`,hash:e.hash}),I(``)},children:[(0,D.jsx)(b,{className:`size-3`}),`Create Branch...`]}),(0,D.jsx)(y,{}),(0,D.jsxs)(v,{onClick:()=>ue(e.hash),children:[(0,D.jsx)(ae,{className:`size-3`}),`Cherry Pick`]}),(0,D.jsxs)(v,{onClick:()=>de(e.hash),children:[(0,D.jsx)(n,{className:`size-3`}),`Revert`]}),(0,D.jsxs)(v,{onClick:()=>{P({type:`tag`,hash:e.hash}),I(``)},children:[(0,D.jsx)(T,{className:`size-3`}),`Create Tag...`]}),(0,D.jsx)(y,{}),(0,D.jsx)(v,{onClick:()=>_e(e),children:`View Diff`}),(0,D.jsxs)(v,{onClick:()=>q(e.hash),children:[(0,D.jsx)(f,{className:`size-3`}),`Copy Hash`]})]})]},e.hash)})})]})}),L&&(0,D.jsxs)(`div`,{className:`border-t bg-muted/30 max-h-[40%] overflow-auto`,children:[(0,D.jsxs)(`div`,{className:`px-3 py-2 border-b flex items-center justify-between`,children:[(0,D.jsxs)(`span`,{className:`text-sm font-medium truncate`,children:[L.abbreviatedHash,` — `,L.subject]}),(0,D.jsx)(_,{variant:`ghost`,size:`icon-xs`,onClick:()=>R(null),children:`✕`})]}),(0,D.jsxs)(`div`,{className:`px-3 py-2 text-xs space-y-1`,children:[(0,D.jsxs)(`div`,{className:`flex gap-4`,children:[(0,D.jsx)(`span`,{className:`text-muted-foreground`,children:`Author`}),(0,D.jsxs)(`span`,{children:[L.authorName,` <`,L.authorEmail,`>`]})]}),(0,D.jsxs)(`div`,{className:`flex gap-4`,children:[(0,D.jsx)(`span`,{className:`text-muted-foreground`,children:`Date`}),(0,D.jsx)(`span`,{children:new Date(L.authorDate).toLocaleString()})]}),(0,D.jsxs)(`div`,{className:`flex gap-4`,children:[(0,D.jsx)(`span`,{className:`text-muted-foreground`,children:`Hash`}),(0,D.jsx)(`span`,{className:`font-mono cursor-pointer hover:text-primary`,onClick:()=>q(L.hash),children:L.hash})]}),L.parents.length>0&&(0,D.jsxs)(`div`,{className:`flex gap-4`,children:[(0,D.jsx)(`span`,{className:`text-muted-foreground`,children:`Parents`}),(0,D.jsx)(`span`,{className:`font-mono`,children:L.parents.map(e=>e.slice(0,7)).join(`, `)})]}),L.body&&(0,D.jsx)(`div`,{className:`mt-2 p-2 bg-background rounded text-xs whitespace-pre-wrap`,children:L.body})]}),(0,D.jsxs)(`div`,{className:`px-3 py-1 border-t`,children:[(0,D.jsx)(`div`,{className:`text-xs text-muted-foreground py-1`,children:le?`Loading files...`:`${z.length} file${z.length===1?``:`s`} changed`}),z.map(e=>(0,D.jsxs)(`div`,{className:`flex items-center gap-2 py-0.5 text-xs hover:bg-muted/50 rounded px-1 cursor-pointer`,onClick:()=>V({type:`git-diff`,title:`Diff ${c(e.path)}`,closable:!0,metadata:{projectName:t,ref1:L.parents[0]??void 0,ref2:L.hash,filePath:e.path},projectId:t??null}),children:[(0,D.jsx)(`span`,{className:`flex-1 truncate font-mono`,children:e.path}),e.additions>0&&(0,D.jsxs)(`span`,{className:`text-green-500`,children:[`+`,e.additions]}),e.deletions>0&&(0,D.jsxs)(`span`,{className:`text-red-500`,children:[`-`,e.deletions]})]},e.path))]})]}),(0,D.jsx)(re,{open:N.type!==null,onOpenChange:e=>{e||P({type:null})},children:(0,D.jsxs)(ee,{children:[(0,D.jsx)(ne,{children:(0,D.jsx)(ie,{children:N.type===`branch`?`Create Branch`:`Create Tag`})}),(0,D.jsx)(r,{placeholder:N.type===`branch`?`Branch name`:`Tag name`,value:F,onChange:e=>I(e.target.value),onKeyDown:e=>{e.key===`Enter`&&F.trim()&&(N.type===`branch`?G(F.trim(),N.hash):K(F.trim(),N.hash),P({type:null}))},autoFocus:!0}),(0,D.jsxs)(g,{children:[(0,D.jsx)(_,{variant:`outline`,onClick:()=>P({type:null}),children:`Cancel`}),(0,D.jsx)(_,{disabled:!F.trim(),onClick:()=>{N.type===`branch`?G(F.trim(),N.hash):K(F.trim(),N.hash),P({type:null})},children:`Create`})]})]})})]})}function se({label:e,color:t,currentBranch:n,onCheckout:r,onMerge:i,onPush:a,onCreatePr:s,onDelete:c}){return(0,D.jsxs)(x,{children:[(0,D.jsx)(S,{asChild:!0,children:(0,D.jsxs)(`span`,{className:`inline-flex items-center gap-0.5 px-1.5 py-0.5 rounded text-[10px] font-medium shrink-0 cursor-context-menu`,style:{backgroundColor:`${t}30`,color:t,border:`1px solid ${t}50`},children:[(0,D.jsx)(b,{className:`size-2.5`}),e.name]})}),(0,D.jsxs)(C,{children:[(0,D.jsx)(v,{onClick:()=>r(e.name),children:`Checkout`}),(0,D.jsxs)(v,{onClick:()=>i(e.name),disabled:e.name===n?.name,children:[(0,D.jsx)(w,{className:`size-3`}),`Merge into current`]}),(0,D.jsx)(y,{}),(0,D.jsxs)(v,{onClick:()=>a(e.name),children:[(0,D.jsx)(h,{className:`size-3`}),`Push`]}),(0,D.jsxs)(v,{onClick:()=>s(e.name),children:[(0,D.jsx)(o,{className:`size-3`}),`Create PR`]}),(0,D.jsx)(y,{}),(0,D.jsxs)(v,{variant:`destructive`,onClick:()=>c(e.name),disabled:e.name===n?.name,children:[(0,D.jsx)(p,{className:`size-3`}),`Delete`]})]})]})}export{j as GitGraph};
|