@mariozechner/pi-coding-agent 0.45.3 → 0.45.4

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.
Files changed (49) hide show
  1. package/CHANGELOG.md +22 -0
  2. package/README.md +2 -1
  3. package/dist/cli/args.d.ts.map +1 -1
  4. package/dist/cli/args.js +1 -0
  5. package/dist/cli/args.js.map +1 -1
  6. package/dist/core/extensions/loader.d.ts.map +1 -1
  7. package/dist/core/extensions/loader.js +7 -9
  8. package/dist/core/extensions/loader.js.map +1 -1
  9. package/dist/core/model-registry.d.ts +4 -0
  10. package/dist/core/model-registry.d.ts.map +1 -1
  11. package/dist/core/model-registry.js +6 -0
  12. package/dist/core/model-registry.js.map +1 -1
  13. package/dist/core/model-resolver.d.ts.map +1 -1
  14. package/dist/core/model-resolver.js +1 -0
  15. package/dist/core/model-resolver.js.map +1 -1
  16. package/dist/core/sdk.d.ts.map +1 -1
  17. package/dist/core/sdk.js +7 -5
  18. package/dist/core/sdk.js.map +1 -1
  19. package/dist/index.d.ts +1 -1
  20. package/dist/index.d.ts.map +1 -1
  21. package/dist/index.js +1 -1
  22. package/dist/index.js.map +1 -1
  23. package/dist/modes/interactive/theme/light.json +9 -9
  24. package/dist/utils/image-convert.d.ts.map +1 -1
  25. package/dist/utils/image-convert.js +11 -4
  26. package/dist/utils/image-convert.js.map +1 -1
  27. package/dist/utils/image-resize.d.ts +1 -1
  28. package/dist/utils/image-resize.d.ts.map +1 -1
  29. package/dist/utils/image-resize.js +47 -25
  30. package/dist/utils/image-resize.js.map +1 -1
  31. package/dist/utils/vips.d.ts +11 -0
  32. package/dist/utils/vips.d.ts.map +1 -0
  33. package/dist/utils/vips.js +35 -0
  34. package/dist/utils/vips.js.map +1 -0
  35. package/docs/extensions.md +18 -17
  36. package/docs/sdk.md +21 -48
  37. package/examples/README.md +5 -2
  38. package/examples/extensions/README.md +19 -2
  39. package/examples/extensions/plan-mode/README.md +65 -0
  40. package/examples/extensions/plan-mode/index.ts +340 -0
  41. package/examples/extensions/plan-mode/utils.ts +168 -0
  42. package/examples/extensions/question.ts +211 -13
  43. package/examples/extensions/questionnaire.ts +427 -0
  44. package/examples/extensions/summarize.ts +195 -0
  45. package/examples/extensions/with-deps/package-lock.json +2 -2
  46. package/examples/extensions/with-deps/package.json +1 -1
  47. package/examples/sdk/README.md +3 -4
  48. package/package.json +5 -5
  49. package/examples/extensions/plan-mode.ts +0 -548
@@ -1,23 +1,50 @@
1
1
  /**
2
- * Question Tool - Let the LLM ask the user a question with options
2
+ * Question Tool - Single question with options
3
+ * Full custom UI: options list + inline editor for "Type something..."
4
+ * Escape in editor returns to options, Escape in options cancels
3
5
  */
4
6
 
5
7
  import type { ExtensionAPI } from "@mariozechner/pi-coding-agent";
6
- import { Text } from "@mariozechner/pi-tui";
8
+ import { Editor, type EditorTheme, Key, matchesKey, Text, truncateToWidth } from "@mariozechner/pi-tui";
7
9
  import { Type } from "@sinclair/typebox";
8
10
 
11
+ interface OptionWithDesc {
12
+ label: string;
13
+ description?: string;
14
+ }
15
+
16
+ type DisplayOption = OptionWithDesc & { isOther?: boolean };
17
+
9
18
  interface QuestionDetails {
10
19
  question: string;
11
20
  options: string[];
12
21
  answer: string | null;
22
+ wasCustom?: boolean;
13
23
  }
14
24
 
25
+ // Support both simple strings and objects with descriptions
26
+ const OptionSchema = Type.Union([
27
+ Type.String(),
28
+ Type.Object({
29
+ label: Type.String({ description: "Display label for the option" }),
30
+ description: Type.Optional(Type.String({ description: "Optional description shown below label" })),
31
+ }),
32
+ ]);
33
+
15
34
  const QuestionParams = Type.Object({
16
35
  question: Type.String({ description: "The question to ask the user" }),
17
- options: Type.Array(Type.String(), { description: "Options for the user to choose from" }),
36
+ options: Type.Array(OptionSchema, { description: "Options for the user to choose from" }),
18
37
  });
19
38
 
20
- export default function (pi: ExtensionAPI) {
39
+ // Normalize option to { label, description? }
40
+ function normalizeOption(opt: string | { label: string; description?: string }): OptionWithDesc {
41
+ if (typeof opt === "string") {
42
+ return { label: opt };
43
+ }
44
+ return opt;
45
+ }
46
+
47
+ export default function question(pi: ExtensionAPI) {
21
48
  pi.registerTool({
22
49
  name: "question",
23
50
  label: "Question",
@@ -28,7 +55,11 @@ export default function (pi: ExtensionAPI) {
28
55
  if (!ctx.hasUI) {
29
56
  return {
30
57
  content: [{ type: "text", text: "Error: UI not available (running in non-interactive mode)" }],
31
- details: { question: params.question, options: params.options, answer: null } as QuestionDetails,
58
+ details: {
59
+ question: params.question,
60
+ options: params.options.map((o) => (typeof o === "string" ? o : o.label)),
61
+ answer: null,
62
+ } as QuestionDetails,
32
63
  };
33
64
  }
34
65
 
@@ -39,25 +70,183 @@ export default function (pi: ExtensionAPI) {
39
70
  };
40
71
  }
41
72
 
42
- const answer = await ctx.ui.select(params.question, params.options);
73
+ // Normalize options
74
+ const normalizedOptions = params.options.map(normalizeOption);
75
+ const allOptions: DisplayOption[] = [...normalizedOptions, { label: "Type something.", isOther: true }];
76
+
77
+ const result = await ctx.ui.custom<{ answer: string; wasCustom: boolean; index?: number } | null>(
78
+ (tui, theme, _kb, done) => {
79
+ let optionIndex = 0;
80
+ let editMode = false;
81
+ let cachedLines: string[] | undefined;
82
+
83
+ const editorTheme: EditorTheme = {
84
+ borderColor: (s) => theme.fg("accent", s),
85
+ selectList: {
86
+ selectedPrefix: (t) => theme.fg("accent", t),
87
+ selectedText: (t) => theme.fg("accent", t),
88
+ description: (t) => theme.fg("muted", t),
89
+ scrollInfo: (t) => theme.fg("dim", t),
90
+ noMatch: (t) => theme.fg("warning", t),
91
+ },
92
+ };
93
+ const editor = new Editor(editorTheme);
94
+
95
+ editor.onSubmit = (value) => {
96
+ const trimmed = value.trim();
97
+ if (trimmed) {
98
+ done({ answer: trimmed, wasCustom: true });
99
+ } else {
100
+ editMode = false;
101
+ editor.setText("");
102
+ refresh();
103
+ }
104
+ };
105
+
106
+ function refresh() {
107
+ cachedLines = undefined;
108
+ tui.requestRender();
109
+ }
110
+
111
+ function handleInput(data: string) {
112
+ if (editMode) {
113
+ if (matchesKey(data, Key.escape)) {
114
+ editMode = false;
115
+ editor.setText("");
116
+ refresh();
117
+ return;
118
+ }
119
+ editor.handleInput(data);
120
+ refresh();
121
+ return;
122
+ }
123
+
124
+ if (matchesKey(data, Key.up)) {
125
+ optionIndex = Math.max(0, optionIndex - 1);
126
+ refresh();
127
+ return;
128
+ }
129
+ if (matchesKey(data, Key.down)) {
130
+ optionIndex = Math.min(allOptions.length - 1, optionIndex + 1);
131
+ refresh();
132
+ return;
133
+ }
134
+
135
+ if (matchesKey(data, Key.enter)) {
136
+ const selected = allOptions[optionIndex];
137
+ if (selected.isOther) {
138
+ editMode = true;
139
+ refresh();
140
+ } else {
141
+ done({ answer: selected.label, wasCustom: false, index: optionIndex + 1 });
142
+ }
143
+ return;
144
+ }
145
+
146
+ if (matchesKey(data, Key.escape)) {
147
+ done(null);
148
+ }
149
+ }
150
+
151
+ function render(width: number): string[] {
152
+ if (cachedLines) return cachedLines;
43
153
 
44
- if (answer === undefined) {
154
+ const lines: string[] = [];
155
+ const add = (s: string) => lines.push(truncateToWidth(s, width));
156
+
157
+ add(theme.fg("accent", "─".repeat(width)));
158
+ add(theme.fg("text", ` ${params.question}`));
159
+ lines.push("");
160
+
161
+ for (let i = 0; i < allOptions.length; i++) {
162
+ const opt = allOptions[i];
163
+ const selected = i === optionIndex;
164
+ const isOther = opt.isOther === true;
165
+ const prefix = selected ? theme.fg("accent", "> ") : " ";
166
+
167
+ if (isOther && editMode) {
168
+ add(prefix + theme.fg("accent", `${i + 1}. ${opt.label} ✎`));
169
+ } else if (selected) {
170
+ add(prefix + theme.fg("accent", `${i + 1}. ${opt.label}`));
171
+ } else {
172
+ add(` ${theme.fg("text", `${i + 1}. ${opt.label}`)}`);
173
+ }
174
+
175
+ // Show description if present
176
+ if (opt.description) {
177
+ add(` ${theme.fg("muted", opt.description)}`);
178
+ }
179
+ }
180
+
181
+ if (editMode) {
182
+ lines.push("");
183
+ add(theme.fg("muted", " Your answer:"));
184
+ for (const line of editor.render(width - 2)) {
185
+ add(` ${line}`);
186
+ }
187
+ }
188
+
189
+ lines.push("");
190
+ if (editMode) {
191
+ add(theme.fg("dim", " Enter to submit • Esc to go back"));
192
+ } else {
193
+ add(theme.fg("dim", " ↑↓ navigate • Enter to select • Esc to cancel"));
194
+ }
195
+ add(theme.fg("accent", "─".repeat(width)));
196
+
197
+ cachedLines = lines;
198
+ return lines;
199
+ }
200
+
201
+ return {
202
+ render,
203
+ invalidate: () => {
204
+ cachedLines = undefined;
205
+ },
206
+ handleInput,
207
+ };
208
+ },
209
+ );
210
+
211
+ // Build simple options list for details
212
+ const simpleOptions = normalizedOptions.map((o) => o.label);
213
+
214
+ if (!result) {
45
215
  return {
46
216
  content: [{ type: "text", text: "User cancelled the selection" }],
47
- details: { question: params.question, options: params.options, answer: null } as QuestionDetails,
217
+ details: { question: params.question, options: simpleOptions, answer: null } as QuestionDetails,
48
218
  };
49
219
  }
50
220
 
221
+ if (result.wasCustom) {
222
+ return {
223
+ content: [{ type: "text", text: `User wrote: ${result.answer}` }],
224
+ details: {
225
+ question: params.question,
226
+ options: simpleOptions,
227
+ answer: result.answer,
228
+ wasCustom: true,
229
+ } as QuestionDetails,
230
+ };
231
+ }
51
232
  return {
52
- content: [{ type: "text", text: `User selected: ${answer}` }],
53
- details: { question: params.question, options: params.options, answer } as QuestionDetails,
233
+ content: [{ type: "text", text: `User selected: ${result.index}. ${result.answer}` }],
234
+ details: {
235
+ question: params.question,
236
+ options: simpleOptions,
237
+ answer: result.answer,
238
+ wasCustom: false,
239
+ } as QuestionDetails,
54
240
  };
55
241
  },
56
242
 
57
243
  renderCall(args, theme) {
58
244
  let text = theme.fg("toolTitle", theme.bold("question ")) + theme.fg("muted", args.question);
59
- if (args.options?.length) {
60
- text += `\n${theme.fg("dim", ` Options: ${args.options.join(", ")}`)}`;
245
+ const opts = Array.isArray(args.options) ? args.options : [];
246
+ if (opts.length) {
247
+ const labels = opts.map((o: string | { label: string }) => (typeof o === "string" ? o : o.label));
248
+ const numbered = [...labels, "Type something."].map((o, i) => `${i + 1}. ${o}`);
249
+ text += `\n${theme.fg("dim", ` Options: ${numbered.join(", ")}`)}`;
61
250
  }
62
251
  return new Text(text, 0, 0);
63
252
  },
@@ -73,7 +262,16 @@ export default function (pi: ExtensionAPI) {
73
262
  return new Text(theme.fg("warning", "Cancelled"), 0, 0);
74
263
  }
75
264
 
76
- return new Text(theme.fg("success", "✓ ") + theme.fg("accent", details.answer), 0, 0);
265
+ if (details.wasCustom) {
266
+ return new Text(
267
+ theme.fg("success", "✓ ") + theme.fg("muted", "(wrote) ") + theme.fg("accent", details.answer),
268
+ 0,
269
+ 0,
270
+ );
271
+ }
272
+ const idx = details.options.indexOf(details.answer) + 1;
273
+ const display = idx > 0 ? `${idx}. ${details.answer}` : details.answer;
274
+ return new Text(theme.fg("success", "✓ ") + theme.fg("accent", display), 0, 0);
77
275
  },
78
276
  });
79
277
  }
@@ -0,0 +1,427 @@
1
+ /**
2
+ * Questionnaire Tool - Unified tool for asking single or multiple questions
3
+ *
4
+ * Single question: simple options list
5
+ * Multiple questions: tab bar navigation between questions
6
+ */
7
+
8
+ import type { ExtensionAPI } from "@mariozechner/pi-coding-agent";
9
+ import { Editor, type EditorTheme, Key, matchesKey, Text, truncateToWidth } from "@mariozechner/pi-tui";
10
+ import { Type } from "@sinclair/typebox";
11
+
12
+ // Types
13
+ interface QuestionOption {
14
+ value: string;
15
+ label: string;
16
+ description?: string;
17
+ }
18
+
19
+ type RenderOption = QuestionOption & { isOther?: boolean };
20
+
21
+ interface Question {
22
+ id: string;
23
+ label: string;
24
+ prompt: string;
25
+ options: QuestionOption[];
26
+ allowOther: boolean;
27
+ }
28
+
29
+ interface Answer {
30
+ id: string;
31
+ value: string;
32
+ label: string;
33
+ wasCustom: boolean;
34
+ index?: number;
35
+ }
36
+
37
+ interface QuestionnaireResult {
38
+ questions: Question[];
39
+ answers: Answer[];
40
+ cancelled: boolean;
41
+ }
42
+
43
+ // Schema
44
+ const QuestionOptionSchema = Type.Object({
45
+ value: Type.String({ description: "The value returned when selected" }),
46
+ label: Type.String({ description: "Display label for the option" }),
47
+ description: Type.Optional(Type.String({ description: "Optional description shown below label" })),
48
+ });
49
+
50
+ const QuestionSchema = Type.Object({
51
+ id: Type.String({ description: "Unique identifier for this question" }),
52
+ label: Type.Optional(
53
+ Type.String({
54
+ description: "Short contextual label for tab bar, e.g. 'Scope', 'Priority' (defaults to Q1, Q2)",
55
+ }),
56
+ ),
57
+ prompt: Type.String({ description: "The full question text to display" }),
58
+ options: Type.Array(QuestionOptionSchema, { description: "Available options to choose from" }),
59
+ allowOther: Type.Optional(Type.Boolean({ description: "Allow 'Type something' option (default: true)" })),
60
+ });
61
+
62
+ const QuestionnaireParams = Type.Object({
63
+ questions: Type.Array(QuestionSchema, { description: "Questions to ask the user" }),
64
+ });
65
+
66
+ function errorResult(
67
+ message: string,
68
+ questions: Question[] = [],
69
+ ): { content: { type: "text"; text: string }[]; details: QuestionnaireResult } {
70
+ return {
71
+ content: [{ type: "text", text: message }],
72
+ details: { questions, answers: [], cancelled: true },
73
+ };
74
+ }
75
+
76
+ export default function questionnaire(pi: ExtensionAPI) {
77
+ pi.registerTool({
78
+ name: "questionnaire",
79
+ label: "Questionnaire",
80
+ description:
81
+ "Ask the user one or more questions. Use for clarifying requirements, getting preferences, or confirming decisions. For single questions, shows a simple option list. For multiple questions, shows a tab-based interface.",
82
+ parameters: QuestionnaireParams,
83
+
84
+ async execute(_toolCallId, params, _onUpdate, ctx, _signal) {
85
+ if (!ctx.hasUI) {
86
+ return errorResult("Error: UI not available (running in non-interactive mode)");
87
+ }
88
+ if (params.questions.length === 0) {
89
+ return errorResult("Error: No questions provided");
90
+ }
91
+
92
+ // Normalize questions with defaults
93
+ const questions: Question[] = params.questions.map((q, i) => ({
94
+ ...q,
95
+ label: q.label || `Q${i + 1}`,
96
+ allowOther: q.allowOther !== false,
97
+ }));
98
+
99
+ const isMulti = questions.length > 1;
100
+ const totalTabs = questions.length + 1; // questions + Submit
101
+
102
+ const result = await ctx.ui.custom<QuestionnaireResult>((tui, theme, _kb, done) => {
103
+ // State
104
+ let currentTab = 0;
105
+ let optionIndex = 0;
106
+ let inputMode = false;
107
+ let inputQuestionId: string | null = null;
108
+ let cachedLines: string[] | undefined;
109
+ const answers = new Map<string, Answer>();
110
+
111
+ // Editor for "Type something" option
112
+ const editorTheme: EditorTheme = {
113
+ borderColor: (s) => theme.fg("accent", s),
114
+ selectList: {
115
+ selectedPrefix: (t) => theme.fg("accent", t),
116
+ selectedText: (t) => theme.fg("accent", t),
117
+ description: (t) => theme.fg("muted", t),
118
+ scrollInfo: (t) => theme.fg("dim", t),
119
+ noMatch: (t) => theme.fg("warning", t),
120
+ },
121
+ };
122
+ const editor = new Editor(editorTheme);
123
+
124
+ // Helpers
125
+ function refresh() {
126
+ cachedLines = undefined;
127
+ tui.requestRender();
128
+ }
129
+
130
+ function submit(cancelled: boolean) {
131
+ done({ questions, answers: Array.from(answers.values()), cancelled });
132
+ }
133
+
134
+ function currentQuestion(): Question | undefined {
135
+ return questions[currentTab];
136
+ }
137
+
138
+ function currentOptions(): RenderOption[] {
139
+ const q = currentQuestion();
140
+ if (!q) return [];
141
+ const opts: RenderOption[] = [...q.options];
142
+ if (q.allowOther) {
143
+ opts.push({ value: "__other__", label: "Type something.", isOther: true });
144
+ }
145
+ return opts;
146
+ }
147
+
148
+ function allAnswered(): boolean {
149
+ return questions.every((q) => answers.has(q.id));
150
+ }
151
+
152
+ function advanceAfterAnswer() {
153
+ if (!isMulti) {
154
+ submit(false);
155
+ return;
156
+ }
157
+ if (currentTab < questions.length - 1) {
158
+ currentTab++;
159
+ } else {
160
+ currentTab = questions.length; // Submit tab
161
+ }
162
+ optionIndex = 0;
163
+ refresh();
164
+ }
165
+
166
+ function saveAnswer(questionId: string, value: string, label: string, wasCustom: boolean, index?: number) {
167
+ answers.set(questionId, { id: questionId, value, label, wasCustom, index });
168
+ }
169
+
170
+ // Editor submit callback
171
+ editor.onSubmit = (value) => {
172
+ if (!inputQuestionId) return;
173
+ const trimmed = value.trim() || "(no response)";
174
+ saveAnswer(inputQuestionId, trimmed, trimmed, true);
175
+ inputMode = false;
176
+ inputQuestionId = null;
177
+ editor.setText("");
178
+ advanceAfterAnswer();
179
+ };
180
+
181
+ function handleInput(data: string) {
182
+ // Input mode: route to editor
183
+ if (inputMode) {
184
+ if (matchesKey(data, Key.escape)) {
185
+ inputMode = false;
186
+ inputQuestionId = null;
187
+ editor.setText("");
188
+ refresh();
189
+ return;
190
+ }
191
+ editor.handleInput(data);
192
+ refresh();
193
+ return;
194
+ }
195
+
196
+ const q = currentQuestion();
197
+ const opts = currentOptions();
198
+
199
+ // Tab navigation (multi-question only)
200
+ if (isMulti) {
201
+ if (matchesKey(data, Key.tab) || matchesKey(data, Key.right)) {
202
+ currentTab = (currentTab + 1) % totalTabs;
203
+ optionIndex = 0;
204
+ refresh();
205
+ return;
206
+ }
207
+ if (matchesKey(data, Key.shift("tab")) || matchesKey(data, Key.left)) {
208
+ currentTab = (currentTab - 1 + totalTabs) % totalTabs;
209
+ optionIndex = 0;
210
+ refresh();
211
+ return;
212
+ }
213
+ }
214
+
215
+ // Submit tab
216
+ if (currentTab === questions.length) {
217
+ if (matchesKey(data, Key.enter) && allAnswered()) {
218
+ submit(false);
219
+ } else if (matchesKey(data, Key.escape)) {
220
+ submit(true);
221
+ }
222
+ return;
223
+ }
224
+
225
+ // Option navigation
226
+ if (matchesKey(data, Key.up)) {
227
+ optionIndex = Math.max(0, optionIndex - 1);
228
+ refresh();
229
+ return;
230
+ }
231
+ if (matchesKey(data, Key.down)) {
232
+ optionIndex = Math.min(opts.length - 1, optionIndex + 1);
233
+ refresh();
234
+ return;
235
+ }
236
+
237
+ // Select option
238
+ if (matchesKey(data, Key.enter) && q) {
239
+ const opt = opts[optionIndex];
240
+ if (opt.isOther) {
241
+ inputMode = true;
242
+ inputQuestionId = q.id;
243
+ editor.setText("");
244
+ refresh();
245
+ return;
246
+ }
247
+ saveAnswer(q.id, opt.value, opt.label, false, optionIndex + 1);
248
+ advanceAfterAnswer();
249
+ return;
250
+ }
251
+
252
+ // Cancel
253
+ if (matchesKey(data, Key.escape)) {
254
+ submit(true);
255
+ }
256
+ }
257
+
258
+ function render(width: number): string[] {
259
+ if (cachedLines) return cachedLines;
260
+
261
+ const lines: string[] = [];
262
+ const q = currentQuestion();
263
+ const opts = currentOptions();
264
+
265
+ // Helper to add truncated line
266
+ const add = (s: string) => lines.push(truncateToWidth(s, width));
267
+
268
+ add(theme.fg("accent", "─".repeat(width)));
269
+
270
+ // Tab bar (multi-question only)
271
+ if (isMulti) {
272
+ const tabs: string[] = ["← "];
273
+ for (let i = 0; i < questions.length; i++) {
274
+ const isActive = i === currentTab;
275
+ const isAnswered = answers.has(questions[i].id);
276
+ const lbl = questions[i].label;
277
+ const box = isAnswered ? "■" : "□";
278
+ const color = isAnswered ? "success" : "muted";
279
+ const text = ` ${box} ${lbl} `;
280
+ const styled = isActive ? theme.bg("selectedBg", theme.fg("text", text)) : theme.fg(color, text);
281
+ tabs.push(`${styled} `);
282
+ }
283
+ const canSubmit = allAnswered();
284
+ const isSubmitTab = currentTab === questions.length;
285
+ const submitText = " ✓ Submit ";
286
+ const submitStyled = isSubmitTab
287
+ ? theme.bg("selectedBg", theme.fg("text", submitText))
288
+ : theme.fg(canSubmit ? "success" : "dim", submitText);
289
+ tabs.push(`${submitStyled} →`);
290
+ add(` ${tabs.join("")}`);
291
+ lines.push("");
292
+ }
293
+
294
+ // Helper to render options list
295
+ function renderOptions() {
296
+ for (let i = 0; i < opts.length; i++) {
297
+ const opt = opts[i];
298
+ const selected = i === optionIndex;
299
+ const isOther = opt.isOther === true;
300
+ const prefix = selected ? theme.fg("accent", "> ") : " ";
301
+ const color = selected ? "accent" : "text";
302
+ // Mark "Type something" differently when in input mode
303
+ if (isOther && inputMode) {
304
+ add(prefix + theme.fg("accent", `${i + 1}. ${opt.label} ✎`));
305
+ } else {
306
+ add(prefix + theme.fg(color, `${i + 1}. ${opt.label}`));
307
+ }
308
+ if (opt.description) {
309
+ add(` ${theme.fg("muted", opt.description)}`);
310
+ }
311
+ }
312
+ }
313
+
314
+ // Content
315
+ if (inputMode && q) {
316
+ add(theme.fg("text", ` ${q.prompt}`));
317
+ lines.push("");
318
+ // Show options for reference
319
+ renderOptions();
320
+ lines.push("");
321
+ add(theme.fg("muted", " Your answer:"));
322
+ for (const line of editor.render(width - 2)) {
323
+ add(` ${line}`);
324
+ }
325
+ lines.push("");
326
+ add(theme.fg("dim", " Enter to submit • Esc to cancel"));
327
+ } else if (currentTab === questions.length) {
328
+ add(theme.fg("accent", theme.bold(" Ready to submit")));
329
+ lines.push("");
330
+ for (const question of questions) {
331
+ const answer = answers.get(question.id);
332
+ if (answer) {
333
+ const prefix = answer.wasCustom ? "(wrote) " : "";
334
+ add(`${theme.fg("muted", ` ${question.label}: `)}${theme.fg("text", prefix + answer.label)}`);
335
+ }
336
+ }
337
+ lines.push("");
338
+ if (allAnswered()) {
339
+ add(theme.fg("success", " Press Enter to submit"));
340
+ } else {
341
+ const missing = questions
342
+ .filter((q) => !answers.has(q.id))
343
+ .map((q) => q.label)
344
+ .join(", ");
345
+ add(theme.fg("warning", ` Unanswered: ${missing}`));
346
+ }
347
+ } else if (q) {
348
+ add(theme.fg("text", ` ${q.prompt}`));
349
+ lines.push("");
350
+ renderOptions();
351
+ }
352
+
353
+ lines.push("");
354
+ if (!inputMode) {
355
+ const help = isMulti
356
+ ? " Tab/←→ navigate • ↑↓ select • Enter confirm • Esc cancel"
357
+ : " ↑↓ navigate • Enter select • Esc cancel";
358
+ add(theme.fg("dim", help));
359
+ }
360
+ add(theme.fg("accent", "─".repeat(width)));
361
+
362
+ cachedLines = lines;
363
+ return lines;
364
+ }
365
+
366
+ return {
367
+ render,
368
+ invalidate: () => {
369
+ cachedLines = undefined;
370
+ },
371
+ handleInput,
372
+ };
373
+ });
374
+
375
+ if (result.cancelled) {
376
+ return {
377
+ content: [{ type: "text", text: "User cancelled the questionnaire" }],
378
+ details: result,
379
+ };
380
+ }
381
+
382
+ const answerLines = result.answers.map((a) => {
383
+ const qLabel = questions.find((q) => q.id === a.id)?.label || a.id;
384
+ if (a.wasCustom) {
385
+ return `${qLabel}: user wrote: ${a.label}`;
386
+ }
387
+ return `${qLabel}: user selected: ${a.index}. ${a.label}`;
388
+ });
389
+
390
+ return {
391
+ content: [{ type: "text", text: answerLines.join("\n") }],
392
+ details: result,
393
+ };
394
+ },
395
+
396
+ renderCall(args, theme) {
397
+ const qs = (args.questions as Question[]) || [];
398
+ const count = qs.length;
399
+ const labels = qs.map((q) => q.label || q.id).join(", ");
400
+ let text = theme.fg("toolTitle", theme.bold("questionnaire "));
401
+ text += theme.fg("muted", `${count} question${count !== 1 ? "s" : ""}`);
402
+ if (labels) {
403
+ text += theme.fg("dim", ` (${truncateToWidth(labels, 40)})`);
404
+ }
405
+ return new Text(text, 0, 0);
406
+ },
407
+
408
+ renderResult(result, _options, theme) {
409
+ const details = result.details as QuestionnaireResult | undefined;
410
+ if (!details) {
411
+ const text = result.content[0];
412
+ return new Text(text?.type === "text" ? text.text : "", 0, 0);
413
+ }
414
+ if (details.cancelled) {
415
+ return new Text(theme.fg("warning", "Cancelled"), 0, 0);
416
+ }
417
+ const lines = details.answers.map((a) => {
418
+ if (a.wasCustom) {
419
+ return `${theme.fg("success", "✓ ")}${theme.fg("accent", a.id)}: ${theme.fg("muted", "(wrote) ")}${a.label}`;
420
+ }
421
+ const display = a.index ? `${a.index}. ${a.label}` : a.label;
422
+ return `${theme.fg("success", "✓ ")}${theme.fg("accent", a.id)}: ${display}`;
423
+ });
424
+ return new Text(lines.join("\n"), 0, 0);
425
+ },
426
+ });
427
+ }