autohand-cli 0.2.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.

Potentially problematic release.


This version of autohand-cli might be problematic. Click here for more details.

Files changed (48) hide show
  1. package/README.md +134 -0
  2. package/dist/agents-RB34F4XE.js +9 -0
  3. package/dist/agents-new-5I3B2W2I.js +9 -0
  4. package/dist/chunk-2EPIFDFM.js +68 -0
  5. package/dist/chunk-2NUX2RAI.js +145 -0
  6. package/dist/chunk-2QAL3HH4.js +79 -0
  7. package/dist/chunk-4UISIRMD.js +288 -0
  8. package/dist/chunk-55DQY6B5.js +49 -0
  9. package/dist/chunk-A7HRTONQ.js +382 -0
  10. package/dist/chunk-ALMJANSA.js +197 -0
  11. package/dist/chunk-GSOEIEOU.js +19 -0
  12. package/dist/chunk-I4HVBWYF.js +55 -0
  13. package/dist/chunk-KZ7VMQTC.js +20 -0
  14. package/dist/chunk-OC5YDNFC.js +373 -0
  15. package/dist/chunk-PQJIQBQ5.js +57 -0
  16. package/dist/chunk-PX5AGAEX.js +105 -0
  17. package/dist/chunk-QJ53OSGF.js +60 -0
  18. package/dist/chunk-SVLBJMYO.js +33 -0
  19. package/dist/chunk-TAZJSKFD.js +57 -0
  20. package/dist/chunk-TVWTD63Y.js +50 -0
  21. package/dist/chunk-UW2LYWIM.js +131 -0
  22. package/dist/chunk-VRI7EXV6.js +20 -0
  23. package/dist/chunk-XDVG3NM4.js +339 -0
  24. package/dist/chunk-YWKZF2SA.js +364 -0
  25. package/dist/chunk-ZWS3KSMK.js +30 -0
  26. package/dist/completion-Y42FKDT3.js +10 -0
  27. package/dist/export-WJ5P6E5Z.js +8 -0
  28. package/dist/feedback-NEDFOKMA.js +9 -0
  29. package/dist/formatters-UG6VZJJ5.js +8 -0
  30. package/dist/help-CNOV6OXY.js +10 -0
  31. package/dist/index.cjs +13418 -0
  32. package/dist/index.d.cts +1 -0
  33. package/dist/index.d.ts +1 -0
  34. package/dist/index.js +10450 -0
  35. package/dist/init-DML7AOII.js +8 -0
  36. package/dist/lint-TA2ZHVLM.js +8 -0
  37. package/dist/login-GPXDNB2F.js +10 -0
  38. package/dist/logout-43W7N6JU.js +10 -0
  39. package/dist/memory-4GSP7NKV.js +8 -0
  40. package/dist/model-HKEFSH5E.js +8 -0
  41. package/dist/new-EEZC4XXV.js +8 -0
  42. package/dist/quit-RSYIERO5.js +8 -0
  43. package/dist/resume-2NERFSTD.js +8 -0
  44. package/dist/session-H5QWKE5E.js +8 -0
  45. package/dist/sessions-4KXIT76T.js +8 -0
  46. package/dist/status-XAJH67SE.js +8 -0
  47. package/dist/undo-7QJBXARS.js +8 -0
  48. package/package.json +69 -0
@@ -0,0 +1,382 @@
1
+ import {
2
+ AUTH_CONFIG,
3
+ AUTOHAND_FILES
4
+ } from "./chunk-2EPIFDFM.js";
5
+
6
+ // src/config.ts
7
+ import fs from "fs-extra";
8
+ import path from "path";
9
+ import YAML from "yaml";
10
+ var DEFAULT_CONFIG_PATH = AUTOHAND_FILES.configJson;
11
+ var YAML_CONFIG_PATH = AUTOHAND_FILES.configYaml;
12
+ var YML_CONFIG_PATH = AUTOHAND_FILES.configYml;
13
+ var DEFAULT_BASE_URL = "https://openrouter.ai/api/v1";
14
+ var DEFAULT_OLLAMA_URL = "http://localhost:11434";
15
+ var DEFAULT_LLAMACPP_URL = "http://localhost:8080";
16
+ var DEFAULT_OPENAI_URL = "https://api.openai.com/v1";
17
+ async function detectConfigPath(customPath) {
18
+ if (customPath) {
19
+ return path.resolve(customPath);
20
+ }
21
+ const envPath = process.env.AUTOHAND_CONFIG;
22
+ if (envPath) {
23
+ return path.resolve(envPath);
24
+ }
25
+ if (await fs.pathExists(YAML_CONFIG_PATH)) {
26
+ return YAML_CONFIG_PATH;
27
+ }
28
+ if (await fs.pathExists(YML_CONFIG_PATH)) {
29
+ return YML_CONFIG_PATH;
30
+ }
31
+ return DEFAULT_CONFIG_PATH;
32
+ }
33
+ function isYamlFile(filePath) {
34
+ const ext = path.extname(filePath).toLowerCase();
35
+ return ext === ".yaml" || ext === ".yml";
36
+ }
37
+ async function parseConfigFile(configPath) {
38
+ const content = await fs.readFile(configPath, "utf8");
39
+ if (isYamlFile(configPath)) {
40
+ return YAML.parse(content);
41
+ }
42
+ return JSON.parse(content);
43
+ }
44
+ async function loadConfig(customPath) {
45
+ const configPath = await detectConfigPath(customPath);
46
+ await fs.ensureDir(path.dirname(configPath));
47
+ if (!await fs.pathExists(configPath)) {
48
+ const defaultConfig = {
49
+ provider: "openrouter",
50
+ openrouter: {
51
+ apiKey: "replace-me",
52
+ baseUrl: "https://openrouter.ai/api/v1",
53
+ model: "anthropic/claude-3.5-sonnet"
54
+ },
55
+ workspace: {
56
+ defaultRoot: process.cwd(),
57
+ allowDangerousOps: false
58
+ },
59
+ ui: {
60
+ theme: "dark",
61
+ autoConfirm: false
62
+ }
63
+ };
64
+ await fs.writeJson(configPath, defaultConfig, { spaces: 2 });
65
+ throw new Error(
66
+ `Created default config at ${configPath}. Please update it with your OpenRouter credentials before rerunning.`
67
+ );
68
+ }
69
+ let parsed;
70
+ try {
71
+ parsed = await parseConfigFile(configPath);
72
+ } catch (error) {
73
+ throw new Error(`Failed to parse config at ${configPath}: ${error.message}`);
74
+ }
75
+ const normalized = normalizeConfig(parsed);
76
+ const withEnv = mergeEnvVariables(normalized);
77
+ validateConfig(withEnv, configPath);
78
+ return { ...withEnv, configPath };
79
+ }
80
+ function mergeEnvVariables(config) {
81
+ return {
82
+ ...config,
83
+ api: {
84
+ baseUrl: process.env.AUTOHAND_API_URL || config.api?.baseUrl || "https://api.autohand.ai",
85
+ companySecret: process.env.AUTOHAND_SECRET || config.api?.companySecret || ""
86
+ }
87
+ };
88
+ }
89
+ function normalizeConfig(config) {
90
+ if (isModernConfig(config)) {
91
+ const provider = config.provider ?? "openrouter";
92
+ return { provider, ...config };
93
+ }
94
+ if (isLegacyConfig(config)) {
95
+ return {
96
+ provider: "openrouter",
97
+ openrouter: {
98
+ apiKey: config.api_key ?? "replace-me",
99
+ baseUrl: config.base_url ?? DEFAULT_BASE_URL,
100
+ model: config.model ?? "anthropic/claude-3.5-sonnet"
101
+ },
102
+ workspace: {
103
+ defaultRoot: process.cwd(),
104
+ allowDangerousOps: false
105
+ },
106
+ ui: {
107
+ autoConfirm: config.dry_run ?? false,
108
+ theme: "dark"
109
+ }
110
+ };
111
+ }
112
+ return config;
113
+ }
114
+ function isModernConfig(config) {
115
+ return typeof config.openrouter === "object" || typeof config.ollama === "object" || typeof config.llamacpp === "object" || typeof config.openai === "object";
116
+ }
117
+ function isLegacyConfig(config) {
118
+ return typeof config.api_key === "string";
119
+ }
120
+ function validateConfig(config, configPath) {
121
+ const provider = config.provider ?? "openrouter";
122
+ const providerConfig = getProviderConfig(config, provider);
123
+ if (config.workspace) {
124
+ if (config.workspace.defaultRoot && typeof config.workspace.defaultRoot !== "string") {
125
+ throw new Error(`workspace.defaultRoot must be a string in ${configPath}`);
126
+ }
127
+ if (config.workspace.allowDangerousOps !== void 0 && typeof config.workspace.allowDangerousOps !== "boolean") {
128
+ throw new Error(`workspace.allowDangerousOps must be boolean in ${configPath}`);
129
+ }
130
+ }
131
+ if (config.ui) {
132
+ if (config.ui.theme && config.ui.theme !== "dark" && config.ui.theme !== "light") {
133
+ throw new Error(`ui.theme must be 'dark' or 'light' in ${configPath}`);
134
+ }
135
+ if (config.ui.autoConfirm !== void 0 && typeof config.ui.autoConfirm !== "boolean") {
136
+ throw new Error(`ui.autoConfirm must be boolean in ${configPath}`);
137
+ }
138
+ }
139
+ if (config.externalAgents) {
140
+ if (config.externalAgents.enabled !== void 0 && typeof config.externalAgents.enabled !== "boolean") {
141
+ throw new Error(`externalAgents.enabled must be boolean in ${configPath}`);
142
+ }
143
+ if (config.externalAgents.paths !== void 0) {
144
+ if (!Array.isArray(config.externalAgents.paths)) {
145
+ throw new Error(`externalAgents.paths must be an array in ${configPath}`);
146
+ }
147
+ for (const p of config.externalAgents.paths) {
148
+ if (typeof p !== "string") {
149
+ throw new Error(`externalAgents.paths must contain only strings in ${configPath}`);
150
+ }
151
+ }
152
+ }
153
+ }
154
+ }
155
+ function resolveWorkspaceRoot(config, requestedPath) {
156
+ const candidate = requestedPath ?? process.cwd() ?? config.workspace?.defaultRoot;
157
+ return path.resolve(candidate);
158
+ }
159
+ function getProviderConfig(config, provider) {
160
+ const chosen = provider ?? config.provider ?? "openrouter";
161
+ const configByProvider = {
162
+ openrouter: config.openrouter,
163
+ ollama: config.ollama,
164
+ llamacpp: config.llamacpp,
165
+ openai: config.openai
166
+ };
167
+ const entry = configByProvider[chosen];
168
+ if (!entry) {
169
+ return null;
170
+ }
171
+ if (chosen === "openrouter") {
172
+ const { apiKey, model } = entry;
173
+ if (!apiKey || apiKey === "replace-me" || !model) {
174
+ return null;
175
+ }
176
+ } else {
177
+ if (!entry.model) {
178
+ return null;
179
+ }
180
+ }
181
+ return {
182
+ ...entry,
183
+ baseUrl: entry.baseUrl ?? defaultBaseUrlFor(chosen, entry.port)
184
+ };
185
+ }
186
+ function defaultBaseUrlFor(provider, port) {
187
+ if (provider === "openrouter") return DEFAULT_BASE_URL;
188
+ const p = port ? port.toString() : void 0;
189
+ switch (provider) {
190
+ case "ollama":
191
+ return p ? `http://localhost:${p}` : DEFAULT_OLLAMA_URL;
192
+ case "llamacpp":
193
+ return p ? `http://localhost:${p}` : DEFAULT_LLAMACPP_URL;
194
+ case "openai":
195
+ return DEFAULT_OPENAI_URL;
196
+ default:
197
+ return void 0;
198
+ }
199
+ }
200
+ async function saveConfig(config) {
201
+ const { configPath, ...data } = config;
202
+ if (isYamlFile(configPath)) {
203
+ const yamlContent = YAML.stringify(data, { indent: 2 });
204
+ await fs.writeFile(configPath, yamlContent, "utf8");
205
+ } else {
206
+ await fs.writeJson(configPath, data, { spaces: 2 });
207
+ }
208
+ }
209
+
210
+ // src/auth/AuthClient.ts
211
+ var DEFAULT_TIMEOUT = 1e4;
212
+ var AuthClient = class {
213
+ constructor(config = {}) {
214
+ this.baseUrl = config.baseUrl || AUTH_CONFIG.apiBaseUrl;
215
+ this.timeout = config.timeout || DEFAULT_TIMEOUT;
216
+ }
217
+ /**
218
+ * Initiate device authorization flow
219
+ * Returns device code and user code for display
220
+ */
221
+ async initiateDeviceAuth() {
222
+ const controller = new AbortController();
223
+ const timeoutId = setTimeout(() => controller.abort(), this.timeout);
224
+ try {
225
+ const response = await fetch(`${this.baseUrl}/cli/initiate`, {
226
+ method: "POST",
227
+ headers: {
228
+ "Content-Type": "application/json"
229
+ },
230
+ body: JSON.stringify({ clientId: "autohand-cli" }),
231
+ signal: controller.signal
232
+ });
233
+ clearTimeout(timeoutId);
234
+ const data = await response.json();
235
+ if (!response.ok) {
236
+ return {
237
+ success: false,
238
+ error: data.error || data.message || `HTTP ${response.status}`
239
+ };
240
+ }
241
+ return {
242
+ success: true,
243
+ deviceCode: data.deviceCode,
244
+ userCode: data.userCode,
245
+ verificationUri: data.verificationUri,
246
+ verificationUriComplete: data.verificationUriComplete,
247
+ expiresIn: data.expiresIn,
248
+ interval: data.interval
249
+ };
250
+ } catch (error) {
251
+ clearTimeout(timeoutId);
252
+ if (error.name === "AbortError") {
253
+ return { success: false, error: "Request timeout" };
254
+ }
255
+ return { success: false, error: error.message };
256
+ }
257
+ }
258
+ /**
259
+ * Poll for device authorization status
260
+ */
261
+ async pollDeviceAuth(deviceCode) {
262
+ const controller = new AbortController();
263
+ const timeoutId = setTimeout(() => controller.abort(), this.timeout);
264
+ try {
265
+ const response = await fetch(`${this.baseUrl}/cli/poll`, {
266
+ method: "POST",
267
+ headers: {
268
+ "Content-Type": "application/json"
269
+ },
270
+ body: JSON.stringify({ deviceCode }),
271
+ signal: controller.signal
272
+ });
273
+ clearTimeout(timeoutId);
274
+ const data = await response.json();
275
+ if (!response.ok && response.status !== 404) {
276
+ return {
277
+ success: false,
278
+ status: "pending",
279
+ error: data.error || data.message || `HTTP ${response.status}`
280
+ };
281
+ }
282
+ return {
283
+ success: data.success !== false,
284
+ status: data.status || "pending",
285
+ token: data.token,
286
+ user: data.user,
287
+ error: data.error
288
+ };
289
+ } catch (error) {
290
+ clearTimeout(timeoutId);
291
+ if (error.name === "AbortError") {
292
+ return { success: false, status: "pending", error: "Request timeout" };
293
+ }
294
+ return { success: false, status: "pending", error: error.message };
295
+ }
296
+ }
297
+ /**
298
+ * Validate current session token
299
+ */
300
+ async validateSession(token) {
301
+ const controller = new AbortController();
302
+ const timeoutId = setTimeout(() => controller.abort(), this.timeout);
303
+ try {
304
+ const response = await fetch(`${this.baseUrl}/me`, {
305
+ method: "GET",
306
+ headers: {
307
+ "Authorization": `Bearer ${token}`,
308
+ "Cookie": `auth_session=${token}`
309
+ },
310
+ signal: controller.signal
311
+ });
312
+ clearTimeout(timeoutId);
313
+ if (!response.ok) {
314
+ return { authenticated: false };
315
+ }
316
+ const data = await response.json();
317
+ return {
318
+ authenticated: true,
319
+ user: data.user || data
320
+ };
321
+ } catch {
322
+ clearTimeout(timeoutId);
323
+ return { authenticated: false };
324
+ }
325
+ }
326
+ /**
327
+ * Logout and invalidate session
328
+ */
329
+ async logout(token) {
330
+ const controller = new AbortController();
331
+ const timeoutId = setTimeout(() => controller.abort(), this.timeout);
332
+ try {
333
+ const response = await fetch(`${this.baseUrl}/logout`, {
334
+ method: "POST",
335
+ headers: {
336
+ "Authorization": `Bearer ${token}`,
337
+ "Cookie": `auth_session=${token}`
338
+ },
339
+ signal: controller.signal
340
+ });
341
+ clearTimeout(timeoutId);
342
+ return { success: response.ok };
343
+ } catch {
344
+ clearTimeout(timeoutId);
345
+ return { success: true };
346
+ }
347
+ }
348
+ };
349
+ var instance = null;
350
+ function getAuthClient(config) {
351
+ if (!instance) {
352
+ instance = new AuthClient(config);
353
+ }
354
+ return instance;
355
+ }
356
+
357
+ export {
358
+ loadConfig,
359
+ resolveWorkspaceRoot,
360
+ getProviderConfig,
361
+ saveConfig,
362
+ getAuthClient
363
+ };
364
+ /**
365
+ * @license
366
+ * Copyright 2025 Autohand AI LLC
367
+ * SPDX-License-Identifier: Apache-2.0
368
+ */
369
+ /**
370
+ * @license
371
+ * Copyright 2025 Autohand AI LLC
372
+ * SPDX-License-Identifier: Apache-2.0
373
+ *
374
+ * Auth API Client for CLI authentication
375
+ */
376
+ /**
377
+ * @license
378
+ * Copyright 2025 Autohand AI LLC
379
+ * SPDX-License-Identifier: Apache-2.0
380
+ *
381
+ * Auth module exports
382
+ */
@@ -0,0 +1,197 @@
1
+ import {
2
+ AUTOHAND_PATHS
3
+ } from "./chunk-2EPIFDFM.js";
4
+
5
+ // src/commands/agents.ts
6
+ import chalk from "chalk";
7
+
8
+ // src/core/agents/AgentRegistry.ts
9
+ import fs from "fs/promises";
10
+ import os from "os";
11
+ import path from "path";
12
+ import { z } from "zod";
13
+ var AgentConfigSchema = z.object({
14
+ description: z.string(),
15
+ systemPrompt: z.string(),
16
+ tools: z.array(z.string()),
17
+ model: z.string().optional()
18
+ });
19
+ var AgentRegistry = class _AgentRegistry {
20
+ constructor() {
21
+ this.agents = /* @__PURE__ */ new Map();
22
+ this.externalPaths = [];
23
+ this.agentsDir = AUTOHAND_PATHS.agents;
24
+ }
25
+ static getInstance() {
26
+ if (!_AgentRegistry.instance) {
27
+ _AgentRegistry.instance = new _AgentRegistry();
28
+ }
29
+ return _AgentRegistry.instance;
30
+ }
31
+ /**
32
+ * Set external agent paths from config
33
+ * Supports tilde (~) expansion for home directory
34
+ */
35
+ setExternalPaths(paths) {
36
+ this.externalPaths = paths.map(
37
+ (p) => p.startsWith("~") ? path.join(os.homedir(), p.slice(1)) : p
38
+ );
39
+ }
40
+ /**
41
+ * Get configured external paths
42
+ */
43
+ getExternalPaths() {
44
+ return [...this.externalPaths];
45
+ }
46
+ /**
47
+ * Scans the agents directory and all external paths for agent configurations.
48
+ */
49
+ async loadAgents() {
50
+ this.agents.clear();
51
+ await this.loadAgentsFromDir(this.agentsDir, "user");
52
+ for (const extPath of this.externalPaths) {
53
+ await this.loadAgentsFromDir(extPath, "external");
54
+ }
55
+ }
56
+ /**
57
+ * Load agents from a specific directory
58
+ */
59
+ async loadAgentsFromDir(dir, source) {
60
+ try {
61
+ if (source === "user") {
62
+ await fs.mkdir(dir, { recursive: true });
63
+ }
64
+ const exists = await fs.access(dir).then(() => true).catch(() => false);
65
+ if (!exists) {
66
+ return;
67
+ }
68
+ const files = await fs.readdir(dir);
69
+ for (const file of files) {
70
+ const filePath = path.join(dir, file);
71
+ const stat = await fs.stat(filePath).catch(() => null);
72
+ if (!stat?.isFile()) {
73
+ continue;
74
+ }
75
+ if (file.endsWith(".json")) {
76
+ await this.loadJsonAgent(filePath, source);
77
+ continue;
78
+ }
79
+ if (file.endsWith(".md") || file.endsWith(".markdown")) {
80
+ await this.loadMarkdownAgent(filePath, source);
81
+ }
82
+ }
83
+ } catch (error) {
84
+ if (source === "user") {
85
+ console.error(`Error loading agents from ${dir}:`, error);
86
+ }
87
+ }
88
+ }
89
+ getAgent(name) {
90
+ return this.agents.get(name);
91
+ }
92
+ getAllAgents() {
93
+ return Array.from(this.agents.values());
94
+ }
95
+ getAgentsDirectory() {
96
+ return this.agentsDir;
97
+ }
98
+ /**
99
+ * Get agents filtered by source
100
+ */
101
+ getAgentsBySource(source) {
102
+ return this.getAllAgents().filter((a) => a.source === source);
103
+ }
104
+ async loadJsonAgent(filePath, source) {
105
+ const name = path.basename(filePath, ".json");
106
+ try {
107
+ const content = await fs.readFile(filePath, "utf-8");
108
+ const json = JSON.parse(content);
109
+ const config = AgentConfigSchema.parse(json);
110
+ if (!this.agents.has(name)) {
111
+ this.agents.set(name, { name, path: filePath, source, ...config });
112
+ }
113
+ } catch (error) {
114
+ console.warn(`Failed to load agent '${name}': ${error.message}`);
115
+ }
116
+ }
117
+ async loadMarkdownAgent(filePath, source) {
118
+ const name = path.basename(filePath, path.extname(filePath));
119
+ try {
120
+ const content = await fs.readFile(filePath, "utf-8");
121
+ const description = extractMarkdownTitle(content) || `Agent ${name}`;
122
+ const definition = {
123
+ name,
124
+ path: filePath,
125
+ source,
126
+ description,
127
+ systemPrompt: content,
128
+ tools: [],
129
+ model: void 0
130
+ };
131
+ if (!this.agents.has(name)) {
132
+ this.agents.set(name, definition);
133
+ }
134
+ } catch (error) {
135
+ console.warn(`Failed to load agent '${name}': ${error.message}`);
136
+ }
137
+ }
138
+ };
139
+ function extractMarkdownTitle(content) {
140
+ const lines = content.split(/\r?\n/);
141
+ for (const line of lines) {
142
+ const trimmed = line.trim();
143
+ if (!trimmed) continue;
144
+ if (trimmed.startsWith("#")) {
145
+ return trimmed.replace(/^#+\s*/, "").trim() || null;
146
+ }
147
+ return trimmed;
148
+ }
149
+ return null;
150
+ }
151
+
152
+ // src/commands/agents.ts
153
+ var metadata = {
154
+ command: "/agents",
155
+ description: "list available sub-agents (markdown or json)",
156
+ implemented: true,
157
+ prd: "prd/sub_agents_architecture.md"
158
+ };
159
+ async function handler() {
160
+ const registry = AgentRegistry.getInstance();
161
+ await registry.loadAgents();
162
+ const agents = registry.getAllAgents();
163
+ if (agents.length === 0) {
164
+ return `No agents found in ${chalk.cyan(registry.getAgentsDirectory())}.
165
+ Create a markdown file (e.g., helper.md) there to define a new sub-agent.`;
166
+ }
167
+ let output = chalk.bold("Available Agents:\n\n");
168
+ for (const agent of agents) {
169
+ output += `${chalk.green("\u{1F916} " + agent.name)}
170
+ `;
171
+ output += ` ${chalk.gray(agent.description)}
172
+ `;
173
+ output += ` ${chalk.blue("Path:")} ${agent.path}
174
+ `;
175
+ if (agent.model) {
176
+ output += ` ${chalk.yellow("Model:")} ${agent.model}
177
+ `;
178
+ }
179
+ if (agent.tools?.length) {
180
+ output += ` ${chalk.blue("Tools:")} ${agent.tools.join(", ")}
181
+ `;
182
+ }
183
+ output += "\n";
184
+ }
185
+ return output.trim();
186
+ }
187
+
188
+ export {
189
+ AgentRegistry,
190
+ metadata,
191
+ handler
192
+ };
193
+ /**
194
+ * @license
195
+ * Copyright 2025 Autohand AI LLC
196
+ * SPDX-License-Identifier: Apache-2.0
197
+ */
@@ -0,0 +1,19 @@
1
+ // src/commands/quit.ts
2
+ async function quit() {
3
+ return "/quit";
4
+ }
5
+ var metadata = {
6
+ command: "/quit",
7
+ description: "end the current Autohand session",
8
+ implemented: true
9
+ };
10
+
11
+ export {
12
+ quit,
13
+ metadata
14
+ };
15
+ /**
16
+ * @license
17
+ * Copyright 2025 Autohand AI LLC
18
+ * SPDX-License-Identifier: Apache-2.0
19
+ */
@@ -0,0 +1,55 @@
1
+ // src/commands/undo.ts
2
+ import chalk from "chalk";
3
+ import { spawnSync } from "child_process";
4
+ async function undo(ctx) {
5
+ console.log();
6
+ console.log(chalk.bold.yellow("Undoing changes..."));
7
+ const statusResult = spawnSync("git", ["status", "--porcelain"], {
8
+ cwd: ctx.workspaceRoot,
9
+ encoding: "utf8"
10
+ });
11
+ const hasGitChanges = statusResult.status === 0 && statusResult.stdout.trim().length > 0;
12
+ if (hasGitChanges) {
13
+ const checkoutResult = spawnSync("git", ["checkout", "--", "."], {
14
+ cwd: ctx.workspaceRoot,
15
+ encoding: "utf8"
16
+ });
17
+ if (checkoutResult.status === 0) {
18
+ console.log(chalk.green(" Reverted tracked file changes"));
19
+ }
20
+ const cleanResult = spawnSync("git", ["clean", "-fd"], {
21
+ cwd: ctx.workspaceRoot,
22
+ encoding: "utf8"
23
+ });
24
+ if (cleanResult.status === 0 && cleanResult.stdout.trim()) {
25
+ console.log(chalk.green(" Removed untracked files"));
26
+ }
27
+ } else {
28
+ console.log(chalk.gray(" No git changes to revert"));
29
+ }
30
+ try {
31
+ await ctx.undoFileMutation();
32
+ console.log(chalk.green(" Reverted last file mutation from undo stack"));
33
+ } catch {
34
+ }
35
+ ctx.removeLastTurn();
36
+ console.log(chalk.green(" Removed last conversation turn"));
37
+ console.log();
38
+ console.log(chalk.cyan("Undo complete. Ready for new instructions."));
39
+ return null;
40
+ }
41
+ var metadata = {
42
+ command: "/undo",
43
+ description: "revert git changes and remove last conversation turn",
44
+ implemented: true
45
+ };
46
+
47
+ export {
48
+ undo,
49
+ metadata
50
+ };
51
+ /**
52
+ * @license
53
+ * Copyright 2025 Autohand AI LLC
54
+ * SPDX-License-Identifier: Apache-2.0
55
+ */
@@ -0,0 +1,20 @@
1
+ // src/commands/model.ts
2
+ async function model(ctx) {
3
+ await ctx.promptModelSelection();
4
+ return null;
5
+ }
6
+ var metadata = {
7
+ command: "/model",
8
+ description: "choose what model and reasoning effort to use",
9
+ implemented: true
10
+ };
11
+
12
+ export {
13
+ model,
14
+ metadata
15
+ };
16
+ /**
17
+ * @license
18
+ * Copyright 2025 Autohand AI LLC
19
+ * SPDX-License-Identifier: Apache-2.0
20
+ */