@leonarto/spec-embryo 0.1.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.
Files changed (62) hide show
  1. package/README.md +156 -0
  2. package/package.json +48 -0
  3. package/src/backends/base.ts +18 -0
  4. package/src/backends/deterministic.ts +105 -0
  5. package/src/backends/index.ts +26 -0
  6. package/src/backends/prompt.ts +169 -0
  7. package/src/backends/subprocess.ts +198 -0
  8. package/src/cli.ts +111 -0
  9. package/src/commands/agents.ts +16 -0
  10. package/src/commands/current.ts +95 -0
  11. package/src/commands/doctor.ts +12 -0
  12. package/src/commands/handoff.ts +64 -0
  13. package/src/commands/init.ts +101 -0
  14. package/src/commands/reshape.ts +20 -0
  15. package/src/commands/resume.ts +19 -0
  16. package/src/commands/spec.ts +108 -0
  17. package/src/commands/status.ts +98 -0
  18. package/src/commands/task.ts +190 -0
  19. package/src/commands/ui.ts +35 -0
  20. package/src/domain.ts +357 -0
  21. package/src/engine.ts +290 -0
  22. package/src/frontmatter.ts +83 -0
  23. package/src/index.ts +75 -0
  24. package/src/paths.ts +32 -0
  25. package/src/repository.ts +807 -0
  26. package/src/services/adoption.ts +169 -0
  27. package/src/services/agents.ts +191 -0
  28. package/src/services/dashboard.ts +776 -0
  29. package/src/services/details.ts +453 -0
  30. package/src/services/doctor.ts +452 -0
  31. package/src/services/layout.ts +420 -0
  32. package/src/services/spec-answer-evaluation.ts +103 -0
  33. package/src/services/spec-import.ts +217 -0
  34. package/src/services/spec-questions.ts +343 -0
  35. package/src/services/ui.ts +34 -0
  36. package/src/storage.ts +57 -0
  37. package/src/templates.ts +270 -0
  38. package/tsconfig.json +17 -0
  39. package/web/package.json +24 -0
  40. package/web/src/app.css +83 -0
  41. package/web/src/app.d.ts +6 -0
  42. package/web/src/app.html +11 -0
  43. package/web/src/lib/components/AnalysisFilters.svelte +293 -0
  44. package/web/src/lib/components/DocumentBody.svelte +100 -0
  45. package/web/src/lib/components/MultiSelectDropdown.svelte +280 -0
  46. package/web/src/lib/components/SelectDropdown.svelte +265 -0
  47. package/web/src/lib/server/project-root.ts +34 -0
  48. package/web/src/lib/task-board.ts +20 -0
  49. package/web/src/routes/+layout.server.ts +57 -0
  50. package/web/src/routes/+layout.svelte +421 -0
  51. package/web/src/routes/+layout.ts +1 -0
  52. package/web/src/routes/+page.svelte +530 -0
  53. package/web/src/routes/specs/+page.svelte +416 -0
  54. package/web/src/routes/specs/[specId]/+page.server.ts +81 -0
  55. package/web/src/routes/specs/[specId]/+page.svelte +675 -0
  56. package/web/src/routes/tasks/+page.svelte +341 -0
  57. package/web/src/routes/tasks/[taskId]/+page.server.ts +12 -0
  58. package/web/src/routes/tasks/[taskId]/+page.svelte +431 -0
  59. package/web/src/routes/timeline/+page.svelte +1093 -0
  60. package/web/svelte.config.js +10 -0
  61. package/web/tsconfig.json +9 -0
  62. package/web/vite.config.ts +11 -0
@@ -0,0 +1,420 @@
1
+ import { rename, readdir } from "node:fs/promises";
2
+ import { dirname, join, relative } from "node:path";
3
+ import type { ProjectConfig } from "../domain.ts";
4
+ import { ensureDir, pathExists } from "../storage.ts";
5
+
6
+ export interface DocumentationHomeCandidate {
7
+ relativePath: string;
8
+ reason: "docs" | "specs";
9
+ }
10
+
11
+ export interface LayoutChoice {
12
+ memoryDir: string;
13
+ source: "explicit" | "standalone" | "adopted" | "configured" | "default";
14
+ adoptedHome?: string;
15
+ candidates: DocumentationHomeCandidate[];
16
+ requiresChoice: boolean;
17
+ }
18
+
19
+ export type AdoptionState = "fresh" | "legacy-docs" | "partially-adopted" | "adopted";
20
+
21
+ export interface ManagedHomeInspection {
22
+ memoryDir: string;
23
+ hasCurrentState: boolean;
24
+ hasHandoffsDir: boolean;
25
+ hasSpecsDir: boolean;
26
+ hasTasksDir: boolean;
27
+ hasSkillsDir: boolean;
28
+ }
29
+
30
+ export interface AdoptionInspection {
31
+ state: AdoptionState;
32
+ layoutChoice: LayoutChoice;
33
+ hasConfig: boolean;
34
+ hasHiddenSpecpmDir: boolean;
35
+ managedHomes: ManagedHomeInspection[];
36
+ findings: string[];
37
+ }
38
+
39
+ export interface ReshapeAction {
40
+ type: "move" | "mkdir" | "write-config" | "warn";
41
+ source?: string;
42
+ target?: string;
43
+ message: string;
44
+ }
45
+
46
+ export interface ReshapePlan {
47
+ targetMemoryDir: string;
48
+ actions: ReshapeAction[];
49
+ warnings: string[];
50
+ }
51
+
52
+ const DOCS_HOME_NAMES = new Map<string, "docs" | "specs">([
53
+ ["docs", "docs"],
54
+ ["documentation", "docs"],
55
+ ["doc", "docs"],
56
+ ["specs", "specs"],
57
+ ["spec", "specs"],
58
+ ["specifications", "specs"],
59
+ ]);
60
+
61
+ export function normalizeManagedHomeInput(input: string): string {
62
+ const normalized = input.replace(/\/+$/, "");
63
+ return normalized === "spm" || normalized.endsWith("/spm") ? normalized : `${normalized}/spm`;
64
+ }
65
+
66
+ export function buildManagedPaths(memoryDir: string) {
67
+ return {
68
+ memoryDir,
69
+ stateFile: `${memoryDir}/current.md`,
70
+ handoffsDir: `${memoryDir}/handoffs`,
71
+ specsDir: `${memoryDir}/specs`,
72
+ tasksDir: `${memoryDir}/tasks`,
73
+ skillsDir: `${memoryDir}/skills`,
74
+ };
75
+ }
76
+
77
+ export function initSequenceDescription(memoryDir: string): string[] {
78
+ const managed = buildManagedPaths(memoryDir);
79
+ return [
80
+ "Resolve the memory home by adopting a docs/specs surface when appropriate, otherwise fall back to `spm/`.",
81
+ "Write `.specpm/config.toml` so the project has an explicit memory layout source of truth.",
82
+ `Create the managed memory home at \`${managed.memoryDir}\`.`,
83
+ `Create \`${managed.stateFile}\` and \`${managed.handoffsDir}\` for current-state and interrupted-work checkpoints.`,
84
+ `Create \`${managed.specsDir}\`, \`${managed.tasksDir}\`, and \`${managed.skillsDir}\` for spec-first execution memory.`,
85
+ "Seed templates and starter docs so the CLI is immediately useful.",
86
+ ];
87
+ }
88
+
89
+ async function inspectManagedHome(rootDir: string, memoryDir: string): Promise<ManagedHomeInspection> {
90
+ const managed = buildManagedPaths(memoryDir);
91
+ return {
92
+ memoryDir,
93
+ hasCurrentState: await pathExists(join(rootDir, managed.stateFile)),
94
+ hasHandoffsDir: await pathExists(join(rootDir, managed.handoffsDir)),
95
+ hasSpecsDir: await pathExists(join(rootDir, managed.specsDir)),
96
+ hasTasksDir: await pathExists(join(rootDir, managed.tasksDir)),
97
+ hasSkillsDir: await pathExists(join(rootDir, managed.skillsDir)),
98
+ };
99
+ }
100
+
101
+ function hasAnyManagedSignals(inspection: ManagedHomeInspection): boolean {
102
+ return (
103
+ inspection.hasCurrentState ||
104
+ inspection.hasHandoffsDir ||
105
+ inspection.hasSpecsDir ||
106
+ inspection.hasTasksDir ||
107
+ inspection.hasSkillsDir
108
+ );
109
+ }
110
+
111
+ function isFullyManagedHome(inspection: ManagedHomeInspection): boolean {
112
+ return inspection.hasCurrentState && inspection.hasHandoffsDir && inspection.hasSpecsDir && inspection.hasTasksDir && inspection.hasSkillsDir;
113
+ }
114
+
115
+ function describeManagedHome(inspection: ManagedHomeInspection): string {
116
+ const present = [
117
+ inspection.hasCurrentState ? "current" : undefined,
118
+ inspection.hasHandoffsDir ? "handoffs" : undefined,
119
+ inspection.hasSpecsDir ? "specs" : undefined,
120
+ inspection.hasTasksDir ? "tasks" : undefined,
121
+ inspection.hasSkillsDir ? "skills" : undefined,
122
+ ].filter((value): value is string => Boolean(value));
123
+
124
+ return `${inspection.memoryDir} (${present.length > 0 ? present.join(", ") : "no managed files yet"})`;
125
+ }
126
+
127
+ export async function findDocumentationHomeCandidates(rootDir: string): Promise<DocumentationHomeCandidate[]> {
128
+ const entries = await readdir(rootDir, { withFileTypes: true });
129
+ return entries
130
+ .filter((entry) => entry.isDirectory())
131
+ .flatMap((entry) => {
132
+ const reason = DOCS_HOME_NAMES.get(entry.name.toLowerCase());
133
+ if (!reason) {
134
+ return [];
135
+ }
136
+
137
+ return [
138
+ {
139
+ relativePath: entry.name,
140
+ reason,
141
+ },
142
+ ];
143
+ })
144
+ .sort((left, right) => left.relativePath.localeCompare(right.relativePath));
145
+ }
146
+
147
+ export async function resolveLayoutChoice(
148
+ rootDir: string,
149
+ options?: {
150
+ explicitHome?: string;
151
+ standalone?: boolean;
152
+ config?: ProjectConfig;
153
+ },
154
+ ): Promise<LayoutChoice> {
155
+ const candidates = await findDocumentationHomeCandidates(rootDir);
156
+
157
+ if (options?.config) {
158
+ return {
159
+ memoryDir: options.config.memoryDir,
160
+ source: "configured",
161
+ adoptedHome: dirname(options.config.memoryDir),
162
+ candidates,
163
+ requiresChoice: false,
164
+ };
165
+ }
166
+
167
+ if (options?.explicitHome) {
168
+ const memoryDir = normalizeManagedHomeInput(options.explicitHome);
169
+ return {
170
+ memoryDir,
171
+ source: "explicit",
172
+ adoptedHome: memoryDir === "spm" ? undefined : dirname(memoryDir),
173
+ candidates,
174
+ requiresChoice: false,
175
+ };
176
+ }
177
+
178
+ if (options?.standalone) {
179
+ return {
180
+ memoryDir: "spm",
181
+ source: "standalone",
182
+ candidates,
183
+ requiresChoice: false,
184
+ };
185
+ }
186
+
187
+ if (candidates.length === 1) {
188
+ return {
189
+ memoryDir: `${candidates[0]!.relativePath}/spm`,
190
+ source: "adopted",
191
+ adoptedHome: candidates[0]!.relativePath,
192
+ candidates,
193
+ requiresChoice: false,
194
+ };
195
+ }
196
+
197
+ if (candidates.length > 1) {
198
+ return {
199
+ memoryDir: "",
200
+ source: "default",
201
+ candidates,
202
+ requiresChoice: true,
203
+ };
204
+ }
205
+
206
+ return {
207
+ memoryDir: "spm",
208
+ source: "default",
209
+ candidates,
210
+ requiresChoice: false,
211
+ };
212
+ }
213
+
214
+ export async function inspectAdoptionState(
215
+ rootDir: string,
216
+ options?: {
217
+ explicitHome?: string;
218
+ standalone?: boolean;
219
+ config?: ProjectConfig;
220
+ },
221
+ ): Promise<AdoptionInspection> {
222
+ const layoutChoice = await resolveLayoutChoice(rootDir, options);
223
+ const hasHiddenSpecpmDir = await pathExists(join(rootDir, ".specpm"));
224
+ const candidateMemoryDirs = new Set<string>();
225
+
226
+ if (layoutChoice.memoryDir.length > 0) {
227
+ candidateMemoryDirs.add(layoutChoice.memoryDir);
228
+ }
229
+
230
+ if (options?.config) {
231
+ candidateMemoryDirs.add(options.config.memoryDir);
232
+ }
233
+
234
+ for (const candidate of layoutChoice.candidates) {
235
+ candidateMemoryDirs.add(`${candidate.relativePath}/spm`);
236
+ }
237
+
238
+ candidateMemoryDirs.add("spm");
239
+ candidateMemoryDirs.add("docs/spm");
240
+
241
+ const managedHomes = (
242
+ await Promise.all(Array.from(candidateMemoryDirs).sort((left, right) => left.localeCompare(right)).map((memoryDir) => inspectManagedHome(rootDir, memoryDir)))
243
+ ).filter((inspection) => hasAnyManagedSignals(inspection));
244
+
245
+ const findings: string[] = [];
246
+
247
+ if (options?.config) {
248
+ findings.push(`Existing config points to \`${options.config.memoryDir}\`.`);
249
+ } else {
250
+ findings.push("No existing Spec Embryo config found.");
251
+ }
252
+
253
+ if (layoutChoice.candidates.length > 0) {
254
+ findings.push(
255
+ `Detected documentation/spec surfaces: ${layoutChoice.candidates
256
+ .map((candidate) => `\`${candidate.relativePath}\` (${candidate.reason})`)
257
+ .join(", ")}.`,
258
+ );
259
+ } else {
260
+ findings.push("No documentation/spec surfaces were detected automatically.");
261
+ }
262
+
263
+ if (managedHomes.length > 0) {
264
+ findings.push(`Detected managed-memory signals at: ${managedHomes.map((inspection) => `\`${describeManagedHome(inspection)}\``).join(", ")}.`);
265
+ } else {
266
+ findings.push("No managed-memory files were detected yet.");
267
+ }
268
+
269
+ if (hasHiddenSpecpmDir && !options?.config) {
270
+ findings.push("A `.specpm/` directory exists without a readable managed-memory config.");
271
+ }
272
+
273
+ let state: AdoptionState;
274
+ if (options?.config) {
275
+ const configuredHome = managedHomes.find((inspection) => inspection.memoryDir === options.config!.memoryDir);
276
+ state = configuredHome && isFullyManagedHome(configuredHome) ? "adopted" : "partially-adopted";
277
+ } else if (hasHiddenSpecpmDir || managedHomes.length > 0) {
278
+ state = "partially-adopted";
279
+ } else if (layoutChoice.candidates.length > 0) {
280
+ state = "legacy-docs";
281
+ } else {
282
+ state = "fresh";
283
+ }
284
+
285
+ if (state === "partially-adopted") {
286
+ findings.push("This repo already shows partial Spec Embryo signals, so init should preserve and complete the managed layout instead of treating it as fresh.");
287
+ }
288
+
289
+ if (state === "legacy-docs") {
290
+ findings.push("This repo looks importable: guided init should attach Spec Embryo to a suitable docs home and then suggest import or migration steps.");
291
+ }
292
+
293
+ if (state === "fresh") {
294
+ findings.push("This repo looks new to Spec Embryo, so init can seed the canonical layout directly.");
295
+ }
296
+
297
+ if (state === "adopted") {
298
+ findings.push("This repo already has the canonical managed layout configured; init should preserve it and only seed missing optional artifacts.");
299
+ }
300
+
301
+ return {
302
+ state,
303
+ layoutChoice,
304
+ hasConfig: Boolean(options?.config),
305
+ hasHiddenSpecpmDir,
306
+ managedHomes,
307
+ findings,
308
+ };
309
+ }
310
+
311
+ async function isSafeManagedSkillsMove(sourceDir: string): Promise<boolean> {
312
+ const entries = await readdir(sourceDir, { withFileTypes: true });
313
+ return entries.every((entry) => entry.name === "README.md" || entry.name === "AGENTS.md");
314
+ }
315
+
316
+ export async function buildReshapePlan(
317
+ rootDir: string,
318
+ currentConfig: ProjectConfig,
319
+ targetMemoryDir: string,
320
+ ): Promise<ReshapePlan> {
321
+ const target = buildManagedPaths(targetMemoryDir);
322
+ const actions: ReshapeAction[] = [];
323
+ const warnings: string[] = [];
324
+
325
+ const absoluteTargetState = join(rootDir, target.stateFile);
326
+ const absoluteTargetHandoffs = join(rootDir, target.handoffsDir);
327
+ const absoluteTargetSpecs = join(rootDir, target.specsDir);
328
+ const absoluteTargetTasks = join(rootDir, target.tasksDir);
329
+ const absoluteTargetSkills = join(rootDir, target.skillsDir);
330
+
331
+ const movePairs: Array<{ source: string; target: string; label: string; kind: "file" | "dir" }> = [
332
+ { source: currentConfig.stateFile, target: target.stateFile, label: "current state", kind: "file" },
333
+ { source: currentConfig.handoffsDir, target: target.handoffsDir, label: "handoffs", kind: "dir" },
334
+ { source: currentConfig.specsDir, target: target.specsDir, label: "specs", kind: "dir" },
335
+ { source: currentConfig.tasksDir, target: target.tasksDir, label: "tasks", kind: "dir" },
336
+ ];
337
+
338
+ for (const pair of movePairs) {
339
+ if (pair.source === pair.target) {
340
+ continue;
341
+ }
342
+
343
+ const absoluteSource = join(rootDir, pair.source);
344
+ const absoluteTarget = join(rootDir, pair.target);
345
+
346
+ if (await pathExists(absoluteSource)) {
347
+ actions.push({
348
+ type: "move",
349
+ source: absoluteSource,
350
+ target: absoluteTarget,
351
+ message: `Move ${pair.label} from \`${pair.source}\` to \`${pair.target}\`.`,
352
+ });
353
+ }
354
+ }
355
+
356
+ if (currentConfig.skillsDir !== target.skillsDir) {
357
+ const absoluteSourceSkills = join(rootDir, currentConfig.skillsDir);
358
+ if (await pathExists(absoluteSourceSkills)) {
359
+ if (await isSafeManagedSkillsMove(absoluteSourceSkills)) {
360
+ actions.push({
361
+ type: "move",
362
+ source: absoluteSourceSkills,
363
+ target: absoluteTargetSkills,
364
+ message: `Move managed skills from \`${currentConfig.skillsDir}\` to \`${target.skillsDir}\`.`,
365
+ });
366
+ } else {
367
+ const warning = `Skipped moving \`${currentConfig.skillsDir}\` automatically because it contains non-managed skill content.`;
368
+ warnings.push(warning);
369
+ actions.push({
370
+ type: "warn",
371
+ source: absoluteSourceSkills,
372
+ message: warning,
373
+ });
374
+ }
375
+ }
376
+ }
377
+
378
+ for (const targetDir of [targetMemoryDir, target.handoffsDir, target.specsDir, target.tasksDir, target.skillsDir]) {
379
+ const absolute = join(rootDir, targetDir);
380
+ if (!(await pathExists(absolute))) {
381
+ actions.push({
382
+ type: "mkdir",
383
+ target: absolute,
384
+ message: `Create \`${targetDir}\`.`,
385
+ });
386
+ }
387
+ }
388
+
389
+ actions.push({
390
+ type: "write-config",
391
+ target: join(rootDir, ".specpm", "config.toml"),
392
+ message: `Rewrite config to point at \`${targetMemoryDir}\`.`,
393
+ });
394
+
395
+ void absoluteTargetState;
396
+ void absoluteTargetHandoffs;
397
+ void absoluteTargetSpecs;
398
+ void absoluteTargetTasks;
399
+
400
+ return {
401
+ targetMemoryDir,
402
+ actions,
403
+ warnings,
404
+ };
405
+ }
406
+
407
+ export async function applyReshapePlan(plan: ReshapePlan): Promise<void> {
408
+ for (const action of plan.actions) {
409
+ if (action.type === "mkdir" && action.target) {
410
+ await ensureDir(action.target);
411
+ }
412
+
413
+ if (action.type === "move" && action.source && action.target) {
414
+ await ensureDir(dirname(action.target));
415
+ if (!(await pathExists(action.target))) {
416
+ await rename(action.source, action.target);
417
+ }
418
+ }
419
+ }
420
+ }
@@ -0,0 +1,103 @@
1
+ import type { SpecDocument, TaskDocument } from "../domain.ts";
2
+ import type { DetailLinkedTask, ResolvedDecisionDetail, SpecOpenQuestionDetail } from "./details.ts";
3
+
4
+ export interface SpecAnswerEvaluationBundle {
5
+ context: {
6
+ spec: {
7
+ id: string;
8
+ title: string;
9
+ status: string;
10
+ summary: string;
11
+ task_ids: string[];
12
+ };
13
+ answered_questions: string[];
14
+ remaining_open_questions: string[];
15
+ resolved_decision_count: number;
16
+ linked_tasks: Array<{
17
+ id: string;
18
+ title: string;
19
+ status: string;
20
+ priority: number;
21
+ }>;
22
+ };
23
+ recommended_prompt: string;
24
+ expected_output_format: {
25
+ sections: string[];
26
+ propose_new_questions: boolean;
27
+ propose_follow_up_tasks: boolean;
28
+ };
29
+ }
30
+
31
+ export interface SpecAnswerEvaluation {
32
+ status: "needs-more-input" | "ready-for-follow-up";
33
+ summary: string;
34
+ nextActions: string[];
35
+ bundle: SpecAnswerEvaluationBundle;
36
+ }
37
+
38
+ export function buildSpecAnswerEvaluation(input: {
39
+ spec: SpecDocument;
40
+ linkedTasks: DetailLinkedTask[];
41
+ answeredQuestions: string[];
42
+ remainingOpenQuestions: SpecOpenQuestionDetail[];
43
+ resolvedDecisions: ResolvedDecisionDetail[];
44
+ }): SpecAnswerEvaluation {
45
+ const { spec, linkedTasks, answeredQuestions, remainingOpenQuestions, resolvedDecisions } = input;
46
+ const readyForFollowUp = remainingOpenQuestions.length === 0;
47
+ const nextActions: string[] = [];
48
+
49
+ if (remainingOpenQuestions.length > 0) {
50
+ nextActions.push("Review the remaining open questions and answer the next highest-leverage ones.");
51
+ } else {
52
+ nextActions.push("Review the updated spec for sections that should now be tightened with the new decisions.");
53
+ }
54
+
55
+ if (linkedTasks.length === 0) {
56
+ nextActions.push("Create one or more tasks from the newly decided scope.");
57
+ } else {
58
+ nextActions.push("Check whether linked tasks should be created, split, or reprioritized based on the new decisions.");
59
+ }
60
+
61
+ nextActions.push("Run an agent review over the updated spec to decide whether the information is sufficient or whether new open questions should be added.");
62
+
63
+ return {
64
+ status: readyForFollowUp ? "ready-for-follow-up" : "needs-more-input",
65
+ summary: readyForFollowUp
66
+ ? "The spec no longer has open questions in this section. It is ready for follow-up planning or deeper narrative refinement."
67
+ : "The spec still has open questions. The saved answers should guide the next clarification pass rather than being treated as final closure.",
68
+ nextActions,
69
+ bundle: {
70
+ context: {
71
+ spec: {
72
+ id: spec.id,
73
+ title: spec.title,
74
+ status: spec.status,
75
+ summary: spec.summary,
76
+ task_ids: spec.taskIds,
77
+ },
78
+ answered_questions: answeredQuestions,
79
+ remaining_open_questions: remainingOpenQuestions.map((entry) => entry.question),
80
+ resolved_decision_count: resolvedDecisions.length,
81
+ linked_tasks: linkedTasks.map((task) => ({
82
+ id: task.id,
83
+ title: task.title,
84
+ status: task.effectiveStatus,
85
+ priority: task.priority,
86
+ })),
87
+ },
88
+ recommended_prompt: [
89
+ `You are reviewing ${spec.id} (${spec.title}) after a user answered open questions in the UI.`,
90
+ "Use the provided context as the current source of truth.",
91
+ "Decide whether the spec now has enough information to continue.",
92
+ "If it still lacks important detail, propose a small set of new open questions.",
93
+ "If it is sufficient, propose the next tasks or spec refinements that should happen now.",
94
+ "Do not rewrite files directly in this pass; return recommendations only.",
95
+ ].join("\n"),
96
+ expected_output_format: {
97
+ sections: ["sufficiency", "recommended-next-steps", "proposed-new-open-questions", "proposed-task-slices"],
98
+ propose_new_questions: true,
99
+ propose_follow_up_tasks: true,
100
+ },
101
+ },
102
+ };
103
+ }