@triflux/remote 10.0.0-alpha.1
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/hub/pipe.mjs +579 -0
- package/hub/public/dashboard.html +355 -0
- package/hub/public/tray-icon.ico +0 -0
- package/hub/public/tray-icon.png +0 -0
- package/hub/server.mjs +1124 -0
- package/hub/store-adapter.mjs +851 -0
- package/hub/store.mjs +897 -0
- package/hub/team/agent-map.json +11 -0
- package/hub/team/ansi.mjs +379 -0
- package/hub/team/backend.mjs +90 -0
- package/hub/team/cli/commands/attach.mjs +37 -0
- package/hub/team/cli/commands/control.mjs +43 -0
- package/hub/team/cli/commands/debug.mjs +74 -0
- package/hub/team/cli/commands/focus.mjs +53 -0
- package/hub/team/cli/commands/interrupt.mjs +36 -0
- package/hub/team/cli/commands/kill.mjs +37 -0
- package/hub/team/cli/commands/list.mjs +24 -0
- package/hub/team/cli/commands/send.mjs +37 -0
- package/hub/team/cli/commands/start/index.mjs +106 -0
- package/hub/team/cli/commands/start/parse-args.mjs +130 -0
- package/hub/team/cli/commands/start/start-headless.mjs +109 -0
- package/hub/team/cli/commands/start/start-in-process.mjs +40 -0
- package/hub/team/cli/commands/start/start-mux.mjs +73 -0
- package/hub/team/cli/commands/start/start-wt.mjs +69 -0
- package/hub/team/cli/commands/status.mjs +87 -0
- package/hub/team/cli/commands/stop.mjs +31 -0
- package/hub/team/cli/commands/task.mjs +30 -0
- package/hub/team/cli/commands/tasks.mjs +13 -0
- package/hub/team/cli/help.mjs +42 -0
- package/hub/team/cli/index.mjs +41 -0
- package/hub/team/cli/manifest.mjs +29 -0
- package/hub/team/cli/render.mjs +30 -0
- package/hub/team/cli/services/attach-fallback.mjs +54 -0
- package/hub/team/cli/services/hub-client.mjs +208 -0
- package/hub/team/cli/services/member-selector.mjs +30 -0
- package/hub/team/cli/services/native-control.mjs +117 -0
- package/hub/team/cli/services/runtime-mode.mjs +62 -0
- package/hub/team/cli/services/state-store.mjs +48 -0
- package/hub/team/cli/services/task-model.mjs +30 -0
- package/hub/team/dashboard-anchor.mjs +14 -0
- package/hub/team/dashboard-layout.mjs +33 -0
- package/hub/team/dashboard-open.mjs +153 -0
- package/hub/team/dashboard.mjs +274 -0
- package/hub/team/handoff.mjs +303 -0
- package/hub/team/headless.mjs +1149 -0
- package/hub/team/native-supervisor.mjs +392 -0
- package/hub/team/native.mjs +649 -0
- package/hub/team/nativeProxy.mjs +681 -0
- package/hub/team/orchestrator.mjs +161 -0
- package/hub/team/pane.mjs +153 -0
- package/hub/team/psmux.mjs +1354 -0
- package/hub/team/routing.mjs +223 -0
- package/hub/team/session.mjs +611 -0
- package/hub/team/shared.mjs +13 -0
- package/hub/team/staleState.mjs +361 -0
- package/hub/team/tui-lite.mjs +380 -0
- package/hub/team/tui-viewer.mjs +463 -0
- package/hub/team/tui.mjs +1245 -0
- package/hub/tools.mjs +554 -0
- package/hub/tray.mjs +376 -0
- package/hub/workers/claude-worker.mjs +475 -0
- package/hub/workers/codex-mcp.mjs +504 -0
- package/hub/workers/delegator-mcp.mjs +1076 -0
- package/hub/workers/factory.mjs +21 -0
- package/hub/workers/gemini-worker.mjs +373 -0
- package/hub/workers/interface.mjs +52 -0
- package/hub/workers/worker-utils.mjs +104 -0
- package/package.json +31 -0
|
@@ -0,0 +1,361 @@
|
|
|
1
|
+
// hub/team/staleState.mjs
|
|
2
|
+
// .omc/state 아래에 남은 stale team 상태를 탐지/정리한다.
|
|
3
|
+
|
|
4
|
+
import { existsSync, readFileSync, readdirSync, rmSync, statSync, unlinkSync } from "node:fs";
|
|
5
|
+
import { execFileSync } from "node:child_process";
|
|
6
|
+
import { dirname, join, resolve } from "node:path";
|
|
7
|
+
import { homedir } from "node:os";
|
|
8
|
+
|
|
9
|
+
import { forceCleanupTeam } from "./nativeProxy.mjs";
|
|
10
|
+
import { isPidAlive } from "../lib/process-utils.mjs";
|
|
11
|
+
|
|
12
|
+
export const TEAM_STATE_FILE_NAME = "team-state.json";
|
|
13
|
+
export const STALE_TEAM_MAX_AGE_MS = 60 * 60 * 1000;
|
|
14
|
+
const CLAUDE_TEAMS_ROOT = join(homedir(), ".claude", "teams");
|
|
15
|
+
|
|
16
|
+
function safeStat(path) {
|
|
17
|
+
try {
|
|
18
|
+
return statSync(path);
|
|
19
|
+
} catch {
|
|
20
|
+
return null;
|
|
21
|
+
}
|
|
22
|
+
}
|
|
23
|
+
|
|
24
|
+
function parseStartedAtMs(value) {
|
|
25
|
+
if (typeof value !== "string" || !value.trim()) return null;
|
|
26
|
+
const parsed = Date.parse(value);
|
|
27
|
+
return Number.isFinite(parsed) ? parsed : null;
|
|
28
|
+
}
|
|
29
|
+
|
|
30
|
+
function findPidCandidates(state) {
|
|
31
|
+
const pidSet = new Set();
|
|
32
|
+
const pushPid = (value) => {
|
|
33
|
+
const pid = Number(value);
|
|
34
|
+
if (Number.isInteger(pid) && pid > 0) pidSet.add(pid);
|
|
35
|
+
};
|
|
36
|
+
|
|
37
|
+
pushPid(state?.pid);
|
|
38
|
+
pushPid(state?.processId);
|
|
39
|
+
pushPid(state?.process_id);
|
|
40
|
+
pushPid(state?.leadPid);
|
|
41
|
+
pushPid(state?.lead_pid);
|
|
42
|
+
pushPid(state?.native?.supervisorPid);
|
|
43
|
+
pushPid(state?.native?.supervisor_pid);
|
|
44
|
+
|
|
45
|
+
return Array.from(pidSet);
|
|
46
|
+
}
|
|
47
|
+
|
|
48
|
+
function findSessionNames(state) {
|
|
49
|
+
const sessionNameSet = new Set();
|
|
50
|
+
const pushName = (value) => {
|
|
51
|
+
if (typeof value !== "string") return;
|
|
52
|
+
const trimmed = value.trim();
|
|
53
|
+
if (trimmed) sessionNameSet.add(trimmed);
|
|
54
|
+
};
|
|
55
|
+
|
|
56
|
+
pushName(state?.sessionName);
|
|
57
|
+
pushName(state?.session_name);
|
|
58
|
+
pushName(state?.sessionId);
|
|
59
|
+
pushName(state?.session_id);
|
|
60
|
+
pushName(state?.leadSessionId);
|
|
61
|
+
pushName(state?.lead_session_id);
|
|
62
|
+
pushName(state?.native?.teamName);
|
|
63
|
+
pushName(state?.native?.team_name);
|
|
64
|
+
|
|
65
|
+
return Array.from(sessionNameSet);
|
|
66
|
+
}
|
|
67
|
+
|
|
68
|
+
function findProcessTokens(state, sessionId) {
|
|
69
|
+
const tokenSet = new Set();
|
|
70
|
+
const pushToken = (value) => {
|
|
71
|
+
if (typeof value !== "string") return;
|
|
72
|
+
const trimmed = value.trim();
|
|
73
|
+
if (trimmed.length >= 6) tokenSet.add(trimmed.toLowerCase());
|
|
74
|
+
};
|
|
75
|
+
|
|
76
|
+
pushToken(sessionId);
|
|
77
|
+
pushToken(state?.session_id);
|
|
78
|
+
pushToken(state?.sessionId);
|
|
79
|
+
pushToken(state?.leadSessionId);
|
|
80
|
+
pushToken(state?.lead_session_id);
|
|
81
|
+
pushToken(state?.teamName);
|
|
82
|
+
pushToken(state?.team_name);
|
|
83
|
+
pushToken(state?.name);
|
|
84
|
+
pushToken(state?.native?.teamName);
|
|
85
|
+
pushToken(state?.native?.team_name);
|
|
86
|
+
if (Array.isArray(state?.members)) {
|
|
87
|
+
for (const member of state.members) {
|
|
88
|
+
pushToken(member?.agentId);
|
|
89
|
+
pushToken(String(member?.agentId || "").split("@")[0]);
|
|
90
|
+
pushToken(member?.name);
|
|
91
|
+
}
|
|
92
|
+
}
|
|
93
|
+
|
|
94
|
+
return Array.from(tokenSet);
|
|
95
|
+
}
|
|
96
|
+
|
|
97
|
+
function normalizeProcessEntries(processEntries = []) {
|
|
98
|
+
if (!Array.isArray(processEntries)) return [];
|
|
99
|
+
|
|
100
|
+
return processEntries.map((entry) => ({
|
|
101
|
+
pid: Number(entry?.pid ?? entry?.ProcessId ?? 0),
|
|
102
|
+
command: String(entry?.command ?? entry?.CommandLine ?? entry?.Name ?? "").toLowerCase(),
|
|
103
|
+
}));
|
|
104
|
+
}
|
|
105
|
+
|
|
106
|
+
function readProcessEntries() {
|
|
107
|
+
try {
|
|
108
|
+
if (process.platform === "win32") {
|
|
109
|
+
const raw = execFileSync(
|
|
110
|
+
"powershell",
|
|
111
|
+
[
|
|
112
|
+
"-NoProfile",
|
|
113
|
+
"-Command",
|
|
114
|
+
"$ErrorActionPreference='SilentlyContinue'; Get-CimInstance Win32_Process | Select-Object ProcessId,Name,CommandLine | ConvertTo-Json -Compress",
|
|
115
|
+
],
|
|
116
|
+
{
|
|
117
|
+
encoding: "utf8",
|
|
118
|
+
timeout: 10000,
|
|
119
|
+
stdio: ["ignore", "pipe", "ignore"],
|
|
120
|
+
windowsHide: true,
|
|
121
|
+
},
|
|
122
|
+
).trim();
|
|
123
|
+
|
|
124
|
+
if (!raw) return [];
|
|
125
|
+
const parsed = JSON.parse(raw);
|
|
126
|
+
return normalizeProcessEntries(Array.isArray(parsed) ? parsed : [parsed]);
|
|
127
|
+
}
|
|
128
|
+
|
|
129
|
+
const raw = execFileSync("ps", ["-ax", "-o", "pid=,command="], {
|
|
130
|
+
encoding: "utf8",
|
|
131
|
+
timeout: 10000,
|
|
132
|
+
stdio: ["ignore", "pipe", "ignore"],
|
|
133
|
+
}).trim();
|
|
134
|
+
|
|
135
|
+
if (!raw) return [];
|
|
136
|
+
return raw
|
|
137
|
+
.split(/\r?\n/)
|
|
138
|
+
.map((line) => line.trim())
|
|
139
|
+
.filter(Boolean)
|
|
140
|
+
.map((line) => {
|
|
141
|
+
const match = /^(\d+)\s+(.*)$/.exec(line);
|
|
142
|
+
return {
|
|
143
|
+
pid: Number(match?.[1] || 0),
|
|
144
|
+
command: String(match?.[2] || "").toLowerCase(),
|
|
145
|
+
};
|
|
146
|
+
});
|
|
147
|
+
} catch {
|
|
148
|
+
return [];
|
|
149
|
+
}
|
|
150
|
+
}
|
|
151
|
+
|
|
152
|
+
function resolveLiveness(state, sessionId, liveSessionNames, processEntries) {
|
|
153
|
+
const pidCandidates = findPidCandidates(state);
|
|
154
|
+
for (const pid of pidCandidates) {
|
|
155
|
+
if (isPidAlive(pid)) {
|
|
156
|
+
return { active: true, reason: `pid:${pid}` };
|
|
157
|
+
}
|
|
158
|
+
}
|
|
159
|
+
|
|
160
|
+
const sessionNames = findSessionNames(state);
|
|
161
|
+
for (const sessionName of sessionNames) {
|
|
162
|
+
if (liveSessionNames.has(sessionName)) {
|
|
163
|
+
return { active: true, reason: `session:${sessionName}` };
|
|
164
|
+
}
|
|
165
|
+
}
|
|
166
|
+
|
|
167
|
+
const processTokens = findProcessTokens(state, sessionId);
|
|
168
|
+
if (processTokens.length > 0) {
|
|
169
|
+
const matched = processEntries.find((entry) => (
|
|
170
|
+
entry.pid > 0 && processTokens.some((token) => entry.command.includes(token))
|
|
171
|
+
));
|
|
172
|
+
if (matched) {
|
|
173
|
+
return { active: true, reason: `command:${matched.pid}` };
|
|
174
|
+
}
|
|
175
|
+
}
|
|
176
|
+
|
|
177
|
+
return { active: false, reason: "process_missing" };
|
|
178
|
+
}
|
|
179
|
+
|
|
180
|
+
function collectTeamStateTargets(stateRoot) {
|
|
181
|
+
const targets = [];
|
|
182
|
+
const rootStateFile = join(stateRoot, TEAM_STATE_FILE_NAME);
|
|
183
|
+
if (existsSync(rootStateFile)) {
|
|
184
|
+
targets.push({
|
|
185
|
+
scope: "root",
|
|
186
|
+
sessionId: "root",
|
|
187
|
+
stateFile: rootStateFile,
|
|
188
|
+
cleanupPath: rootStateFile,
|
|
189
|
+
cleanupType: "file",
|
|
190
|
+
});
|
|
191
|
+
}
|
|
192
|
+
|
|
193
|
+
const sessionsDir = join(stateRoot, "sessions");
|
|
194
|
+
const sessionsStat = safeStat(sessionsDir);
|
|
195
|
+
if (!sessionsStat?.isDirectory()) {
|
|
196
|
+
return targets;
|
|
197
|
+
}
|
|
198
|
+
|
|
199
|
+
for (const entry of readdirSync(sessionsDir, { withFileTypes: true })) {
|
|
200
|
+
if (!entry.isDirectory()) continue;
|
|
201
|
+
const sessionDir = join(sessionsDir, entry.name);
|
|
202
|
+
const stateFile = join(sessionDir, TEAM_STATE_FILE_NAME);
|
|
203
|
+
if (!existsSync(stateFile)) continue;
|
|
204
|
+
|
|
205
|
+
targets.push({
|
|
206
|
+
scope: "session",
|
|
207
|
+
sessionId: entry.name,
|
|
208
|
+
stateFile,
|
|
209
|
+
cleanupPath: sessionDir,
|
|
210
|
+
cleanupType: "dir",
|
|
211
|
+
});
|
|
212
|
+
}
|
|
213
|
+
|
|
214
|
+
return targets;
|
|
215
|
+
}
|
|
216
|
+
|
|
217
|
+
function collectClaudeTeamTargets(teamsRoot) {
|
|
218
|
+
const teamsStat = safeStat(teamsRoot);
|
|
219
|
+
if (!teamsStat?.isDirectory()) {
|
|
220
|
+
return [];
|
|
221
|
+
}
|
|
222
|
+
|
|
223
|
+
const targets = [];
|
|
224
|
+
for (const entry of readdirSync(teamsRoot, { withFileTypes: true })) {
|
|
225
|
+
if (!entry.isDirectory()) continue;
|
|
226
|
+
|
|
227
|
+
const teamDir = join(teamsRoot, entry.name);
|
|
228
|
+
targets.push({
|
|
229
|
+
scope: "claude_team",
|
|
230
|
+
sessionId: entry.name,
|
|
231
|
+
stateFile: join(teamDir, "config.json"),
|
|
232
|
+
cleanupPath: teamDir,
|
|
233
|
+
cleanupType: "claude_team",
|
|
234
|
+
teamDir,
|
|
235
|
+
teamName: entry.name,
|
|
236
|
+
});
|
|
237
|
+
}
|
|
238
|
+
|
|
239
|
+
return targets;
|
|
240
|
+
}
|
|
241
|
+
|
|
242
|
+
export function findNearestOmcStateDir(startDir = process.cwd()) {
|
|
243
|
+
let currentDir = resolve(startDir);
|
|
244
|
+
|
|
245
|
+
while (true) {
|
|
246
|
+
const candidate = join(currentDir, ".omc", "state");
|
|
247
|
+
const candidateStat = safeStat(candidate);
|
|
248
|
+
if (candidateStat?.isDirectory()) {
|
|
249
|
+
return candidate;
|
|
250
|
+
}
|
|
251
|
+
|
|
252
|
+
const parentDir = dirname(currentDir);
|
|
253
|
+
if (parentDir === currentDir) {
|
|
254
|
+
return null;
|
|
255
|
+
}
|
|
256
|
+
currentDir = parentDir;
|
|
257
|
+
}
|
|
258
|
+
}
|
|
259
|
+
|
|
260
|
+
export function inspectStaleOmcTeams(options = {}) {
|
|
261
|
+
const stateRoot = options.stateRoot !== undefined ? options.stateRoot : findNearestOmcStateDir(options.startDir || process.cwd());
|
|
262
|
+
const requestedTeamsRoot = options.teamsRoot || CLAUDE_TEAMS_ROOT;
|
|
263
|
+
const teamsRoot = safeStat(requestedTeamsRoot)?.isDirectory() ? requestedTeamsRoot : null;
|
|
264
|
+
|
|
265
|
+
const liveSessionNames = new Set(options.liveSessionNames || []);
|
|
266
|
+
const processEntries = normalizeProcessEntries(options.processEntries || readProcessEntries());
|
|
267
|
+
const nowMs = Number.isFinite(options.nowMs) ? options.nowMs : Date.now();
|
|
268
|
+
const maxAgeMs = Number.isFinite(options.maxAgeMs) ? options.maxAgeMs : STALE_TEAM_MAX_AGE_MS;
|
|
269
|
+
const targets = [
|
|
270
|
+
...(stateRoot ? collectTeamStateTargets(stateRoot) : []),
|
|
271
|
+
...collectClaudeTeamTargets(teamsRoot),
|
|
272
|
+
];
|
|
273
|
+
if (!stateRoot && targets.length === 0) {
|
|
274
|
+
return { stateRoot: null, teamsRoot, entries: [] };
|
|
275
|
+
}
|
|
276
|
+
const entries = [];
|
|
277
|
+
|
|
278
|
+
for (const target of targets) {
|
|
279
|
+
let state = null;
|
|
280
|
+
if (target.scope === "claude_team") {
|
|
281
|
+
try {
|
|
282
|
+
state = JSON.parse(readFileSync(target.stateFile, "utf8"));
|
|
283
|
+
} catch {}
|
|
284
|
+
} else {
|
|
285
|
+
try {
|
|
286
|
+
state = JSON.parse(readFileSync(target.stateFile, "utf8"));
|
|
287
|
+
} catch {
|
|
288
|
+
continue;
|
|
289
|
+
}
|
|
290
|
+
}
|
|
291
|
+
|
|
292
|
+
const fileStat = safeStat(target.stateFile);
|
|
293
|
+
const teamDirStat = target.teamDir ? safeStat(target.teamDir) : null;
|
|
294
|
+
const createdAtMs = Number.isFinite(state?.createdAt) ? state.createdAt : null;
|
|
295
|
+
const startedAtMs = parseStartedAtMs(state?.started_at)
|
|
296
|
+
?? parseStartedAtMs(state?.startedAt)
|
|
297
|
+
?? createdAtMs
|
|
298
|
+
?? fileStat?.mtimeMs
|
|
299
|
+
?? teamDirStat?.mtimeMs
|
|
300
|
+
?? null;
|
|
301
|
+
const ageMs = startedAtMs == null ? null : Math.max(0, nowMs - startedAtMs);
|
|
302
|
+
const teamName = state?.teamName || state?.team_name || state?.native?.teamName || state?.name || target.teamName || null;
|
|
303
|
+
const livenessState = target.scope === "claude_team"
|
|
304
|
+
? {
|
|
305
|
+
...(state || {}),
|
|
306
|
+
name: teamName,
|
|
307
|
+
teamName,
|
|
308
|
+
sessionName: state?.leadSessionId || state?.lead_session_id || state?.sessionName || target.sessionId,
|
|
309
|
+
sessionId: state?.leadSessionId || state?.lead_session_id || state?.sessionId || target.sessionId,
|
|
310
|
+
}
|
|
311
|
+
: state;
|
|
312
|
+
const liveness = resolveLiveness(livenessState, target.sessionId, liveSessionNames, processEntries);
|
|
313
|
+
const stale = ageMs != null && ageMs >= maxAgeMs && !liveness.active;
|
|
314
|
+
|
|
315
|
+
entries.push({
|
|
316
|
+
...target,
|
|
317
|
+
teamName,
|
|
318
|
+
state,
|
|
319
|
+
startedAtMs,
|
|
320
|
+
ageMs,
|
|
321
|
+
ageSec: ageMs == null ? null : Math.floor(ageMs / 1000),
|
|
322
|
+
active: liveness.active,
|
|
323
|
+
activeReason: liveness.reason,
|
|
324
|
+
stale,
|
|
325
|
+
});
|
|
326
|
+
}
|
|
327
|
+
|
|
328
|
+
return {
|
|
329
|
+
stateRoot,
|
|
330
|
+
teamsRoot,
|
|
331
|
+
entries: entries
|
|
332
|
+
.filter((entry) => entry.stale)
|
|
333
|
+
.sort((left, right) => (right.ageMs || 0) - (left.ageMs || 0)),
|
|
334
|
+
};
|
|
335
|
+
}
|
|
336
|
+
|
|
337
|
+
export async function cleanupStaleOmcTeams(entries = []) {
|
|
338
|
+
let cleaned = 0;
|
|
339
|
+
let failed = 0;
|
|
340
|
+
const results = [];
|
|
341
|
+
|
|
342
|
+
for (const entry of entries) {
|
|
343
|
+
try {
|
|
344
|
+
if (entry.cleanupType === "claude_team") {
|
|
345
|
+
await forceCleanupTeam(entry.teamName || entry.sessionId);
|
|
346
|
+
} else if (entry.cleanupType === "dir") {
|
|
347
|
+
rmSync(entry.cleanupPath, { recursive: true, force: true });
|
|
348
|
+
} else {
|
|
349
|
+
unlinkSync(entry.cleanupPath);
|
|
350
|
+
}
|
|
351
|
+
|
|
352
|
+
cleaned += 1;
|
|
353
|
+
results.push({ ok: true, entry });
|
|
354
|
+
} catch (error) {
|
|
355
|
+
failed += 1;
|
|
356
|
+
results.push({ ok: false, entry, error });
|
|
357
|
+
}
|
|
358
|
+
}
|
|
359
|
+
|
|
360
|
+
return { cleaned, failed, results };
|
|
361
|
+
}
|