@powerhousedao/vetra 6.0.0-dev.109 → 6.0.0-dev.110

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.
@@ -417,8 +417,7 @@ var AppGenerator = class extends BaseDocumentGen {
417
417
  driveEditorName: state.name,
418
418
  driveEditorId: appId,
419
419
  allowedDocumentTypes: state.allowedDocumentTypes ?? [],
420
- isDragAndDropEnabled: state.isDragAndDropEnabled,
421
- useTsMorph: true
420
+ isDragAndDropEnabled: state.isDragAndDropEnabled
422
421
  });
423
422
  logger.info(`✅ Drive editor generation completed successfully for app: ${state.name}`);
424
423
  try {
@@ -505,8 +504,7 @@ var DocumentEditorGenerator = class extends BaseDocumentGen {
505
504
  ...this.config.PH_CONFIG,
506
505
  editorName: state.name,
507
506
  documentTypes,
508
- editorId,
509
- useTsMorph: true
507
+ editorId
510
508
  });
511
509
  logger.info(`✅ Editor generation completed successfully for: ${state.name}`);
512
510
  try {
@@ -579,7 +577,6 @@ var DocumentModelGenerator = class extends BaseDocumentGen {
579
577
  await generateFromDocument({
580
578
  documentModelState: globalState,
581
579
  config: this.config.PH_CONFIG,
582
- useTsMorph: true,
583
580
  useVersioning: true
584
581
  });
585
582
  logger.info(`✅ Code generation completed successfully for: ${globalState.name}`);
@@ -722,7 +719,6 @@ var ProcessorGenerator = class extends BaseDocumentGen {
722
719
  processorType,
723
720
  documentTypes,
724
721
  skipFormat: this.config.PH_CONFIG.skipFormat,
725
- useTsMorph: true,
726
722
  processorApps
727
723
  });
728
724
  logger.info(`✅ Processor generation completed successfully for: ${state.name}`);
@@ -927,4 +923,4 @@ var CodegenProcessor = class {
927
923
  //#endregion
928
924
  export { CodegenProcessor as t };
929
925
 
930
- //# sourceMappingURL=codegen-DOq2xhy3.js.map
926
+ //# sourceMappingURL=codegen-CHjjYNau.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"codegen-CHjjYNau.js","names":[],"sources":["../processors/codegen/document-handlers/base-document-gen.ts","../processors/codegen/interactive-manager.ts","../processors/codegen/document-handlers/document-codegen-manager.ts","../processors/codegen/document-handlers/generators/utils.ts","../processors/codegen/document-handlers/generators/app-generator.ts","../processors/codegen/document-handlers/generators/document-editor-generator.ts","../processors/codegen/document-handlers/generators/document-model-generator.ts","../processors/codegen/document-handlers/generators/package-generator.ts","../processors/codegen/document-handlers/generators/processor-generator.ts","../processors/codegen/document-handlers/generators/subgraph-generator.ts","../processors/codegen/document-handlers/document-codegen-factory.ts","../processors/codegen/index.ts"],"sourcesContent":["import type { CodegenInput, Config } from \"./types.js\";\n\n/**\n * Abstract base class for document generators\n * Defines the interface that all document-type handlers must implement\n */\nexport abstract class BaseDocumentGen {\n /**\n * The document type(s) this generator supports\n * Can be a single string or an array of strings for generators that handle multiple types\n */\n abstract readonly supportedDocumentTypes: string | string[];\n\n constructor(protected config: Config) {}\n\n /**\n * Generate code for the given document\n * Must be implemented by each specific document generator\n */\n abstract generate(strand: CodegenInput): Promise<void>;\n\n /**\n * Check if this generator supports the given document type\n */\n supportsDocumentType(documentType: string): boolean {\n if (typeof this.supportedDocumentTypes === \"string\") {\n return this.supportedDocumentTypes === documentType;\n }\n return this.supportedDocumentTypes.includes(documentType);\n }\n\n /**\n * Get all supported document types as an array\n */\n getSupportedDocumentTypes(): string[] {\n if (typeof this.supportedDocumentTypes === \"string\") {\n return [this.supportedDocumentTypes];\n }\n return [...this.supportedDocumentTypes];\n }\n\n /**\n * Validate if this strand should be processed\n * Override this method in specific generators to add custom validation logic\n */\n shouldProcess(strand: CodegenInput): boolean {\n // Basic validation: ensure strand has required properties\n if (!strand.documentId || !strand.documentType) {\n return false;\n }\n\n // Basic validation: check if document type is supported\n if (!this.supportsDocumentType(strand.documentType)) {\n return false;\n }\n\n // Default to processing if basic validation passes\n return true;\n }\n}\n","import { createInterface } from \"readline\";\nimport type { CodegenInput } from \"./document-handlers/types.js\";\nimport { logger } from \"./logger.js\";\n\nexport interface QueuedStrand {\n strand: CodegenInput;\n timestamp: number;\n}\n\n/**\n * InteractiveManager handles user interaction for code generation confirmation\n * Supports both individual strand processing and queue-based batch processing\n */\nexport class InteractiveManager {\n private isInteractiveMode: boolean;\n private processingConfirmation = false;\n private strandQueue = new Map<string, QueuedStrand>();\n\n constructor(interactiveMode = false) {\n this.isInteractiveMode = interactiveMode;\n }\n\n private getDocumentKey(documentType: string, documentId: string): string {\n return `${documentType}:${documentId}`;\n }\n\n /**\n * Add a strand to the queue, replacing any existing strand for the same document\n */\n public queueStrand(strand: CodegenInput): void {\n const documentKey = this.getDocumentKey(\n strand.documentType,\n strand.documentId,\n );\n\n this.strandQueue.set(documentKey, {\n strand,\n timestamp: Date.now(),\n });\n\n logger.debug(\n `>>> Queued strand for ${documentKey}, queue size: ${this.strandQueue.size}`,\n );\n }\n\n /**\n * Get all queued strands\n */\n public getQueuedStrands(): QueuedStrand[] {\n return Array.from(this.strandQueue.values());\n }\n\n /**\n * Clear and return all queued strands\n */\n public clearQueue(): QueuedStrand[] {\n const queuedStrands = Array.from(this.strandQueue.values());\n this.strandQueue.clear();\n return queuedStrands;\n }\n\n /**\n * Get the current queue size\n */\n public getQueueSize(): number {\n return this.strandQueue.size;\n }\n\n private async promptUserConfirmation(): Promise<boolean> {\n return new Promise((resolve) => {\n const rl = createInterface({\n input: process.stdin,\n output: process.stdout,\n });\n\n console.log(\"\\n\" + \"=\".repeat(50));\n console.log(\"🔄 Code generation ready to run.\");\n console.log(\"=\".repeat(50));\n\n process.stdout.write(\n \"Do you want to proceed with code generation? (y/n): \\n\\n\",\n );\n\n rl.on(\"line\", (answer: string) => {\n rl.close();\n console.log(\"\"); // Add blank line after user input\n resolve(answer.toLowerCase() === \"y\" || answer.toLowerCase() === \"yes\");\n });\n });\n }\n\n /**\n * Process generation with user confirmation (legacy single-strand method)\n * This method assumes interactive mode is already enabled (checked by caller)\n */\n public async processWithConfirmation<T>(\n documentType: string,\n generator: () => Promise<T>,\n ): Promise<T | null> {\n if (this.processingConfirmation) {\n logger.debug(\"Already processing confirmation, skipping\");\n return null;\n }\n\n this.processingConfirmation = true;\n\n try {\n // Always prompt user since this method only called in interactive mode\n const shouldProceed = await this.promptUserConfirmation();\n\n if (!shouldProceed) {\n logger.info(`❌ Code generation cancelled by user for ${documentType}`);\n return null;\n }\n\n logger.info(`✅ User approved code generation for ${documentType}`);\n\n const result = await generator();\n return result;\n } catch (error) {\n logger.error(\n `❌ Error during interactive code generation for ${documentType}:`,\n error,\n );\n throw error;\n } finally {\n this.processingConfirmation = false;\n }\n }\n\n /**\n * Process all queued strands with a single user confirmation\n * This is the main method for queue-based interactive processing\n */\n public async processQueueWithConfirmation(\n processor: (strands: QueuedStrand[]) => Promise<void>,\n ): Promise<void> {\n if (this.processingConfirmation) {\n logger.debug(\n \"Already processing confirmation, skipping queue processing\",\n );\n return;\n }\n\n // Check if there are any strands to process\n let queuedStrands = this.getQueuedStrands();\n if (queuedStrands.length === 0) {\n logger.debug(\"No strands in queue to process\");\n return;\n }\n\n this.processingConfirmation = true;\n\n try {\n // Prompt user for confirmation\n const shouldProceed = await this.promptUserConfirmation();\n\n if (!shouldProceed) {\n logger.info(\"❌ Code generation cancelled by user\");\n // Clear the queue since user cancelled\n this.clearQueue();\n return;\n }\n\n // Get and clear the final queue state right before processing\n // (in case new strands were added while waiting for user input)\n queuedStrands = this.clearQueue();\n if (queuedStrands.length === 0) {\n logger.info(\"ℹ️ No documents to process\");\n return;\n }\n\n logger.info(\n `✅ User approved code generation for ${queuedStrands.length} document(s)`,\n );\n\n // Process all queued strands\n await processor(queuedStrands);\n logger.info(\"✅ Code generation completed\");\n } catch (error) {\n logger.error(\"❌ Error during interactive queue processing:\", error);\n throw error;\n } finally {\n this.processingConfirmation = false;\n }\n }\n\n public setInteractiveMode(enabled: boolean): void {\n this.isInteractiveMode = enabled;\n logger.debug(`Interactive mode set to: ${enabled}`);\n }\n\n public isInteractive(): boolean {\n return this.isInteractiveMode;\n }\n\n public isProcessing(): boolean {\n return this.processingConfirmation;\n }\n}\n","import type { QueuedStrand } from \"../interactive-manager.js\";\nimport { InteractiveManager } from \"../interactive-manager.js\";\nimport { logger } from \"../logger.js\";\nimport type { BaseDocumentGen } from \"./base-document-gen.js\";\nimport type { CodegenInput, Config } from \"./types.js\";\n\nconst DEFAULT_DEBOUNCE_TIME = 3000; // 3 seconds\n\n/**\n * Manager class responsible for routing documents to the correct generator\n * and managing generator registration and instantiation\n */\nexport class DocumentCodegenManager {\n private generators = new Map<string, BaseDocumentGen>();\n private debounceTimers = new Map<string, NodeJS.Timeout>();\n private processingQueue: Promise<void> = Promise.resolve();\n private interactiveManager: InteractiveManager;\n\n constructor(\n private config: Config,\n interactiveMode = false,\n ) {\n this.interactiveManager = new InteractiveManager(interactiveMode);\n }\n\n /**\n * Register a generator class for a specific document type\n */\n registerGenerator(\n documentType: string,\n generatorClass: new (config: Config) => BaseDocumentGen,\n ): void {\n if (this.generators.has(documentType)) {\n logger.warn(\n `⚠️ Generator for document type \"${documentType}\" is already registered. Overwriting.`,\n );\n }\n\n this.generators.set(documentType, new generatorClass(this.config));\n logger.debug(`✅ Registered generator for document type: ${documentType}`);\n }\n\n /**\n * Register a generator class that supports multiple document types\n */\n registerMultiTypeGenerator(\n generatorClass: new (config: Config) => BaseDocumentGen,\n ): void {\n const generator = new generatorClass(this.config);\n const supportedTypes = generator.getSupportedDocumentTypes();\n\n for (const documentType of supportedTypes) {\n if (this.generators.has(documentType)) {\n logger.warn(\n `⚠️ Generator for document type \"${documentType}\" is already registered. Overwriting.`,\n );\n }\n this.generators.set(documentType, generator);\n }\n\n logger.debug(\n `✅ Registered multi-type generator for document types: ${supportedTypes.join(\", \")}`,\n );\n }\n\n /**\n * Get a generator instance for the given document type\n * Public method to allow external access for validation\n */\n public getGenerator(documentType: string): BaseDocumentGen | undefined {\n return this.generators.get(documentType);\n }\n\n /**\n * Get all registered document types\n */\n getRegisteredDocumentTypes(): string[] {\n return Array.from(this.generators.keys());\n }\n\n /**\n * Check if a document type is supported\n */\n isDocumentTypeSupported(documentType: string): boolean {\n return this.generators.has(documentType);\n }\n\n /**\n * Route a document to the appropriate generator and handle the generation\n * Handles both interactive and non-interactive modes with queue-based processing\n */\n async routeAndGenerate(strand: CodegenInput): Promise<void> {\n const documentType = strand.documentType;\n\n if (!documentType) {\n logger.error(\"❌ Document type is missing from strand state\");\n throw new Error(\"Document type is missing from strand state\");\n }\n\n const generator = this.getGenerator(documentType);\n\n if (!generator) {\n logger.warn(`⚠️ No generator found for document type: ${documentType}`);\n logger.warn(\n `ℹ️ Supported document types: ${this.getRegisteredDocumentTypes().join(\", \")}`,\n );\n throw new Error(`Unsupported document type: ${documentType}`);\n }\n\n // Validate if this strand should be processed\n if (!generator.shouldProcess(strand)) {\n logger.debug(\n `>>> Generator validation failed for ${documentType}:${strand.documentId}, skipping processing`,\n );\n return;\n }\n\n // Different flow for interactive vs non-interactive mode\n if (this.interactiveManager.isInteractive()) {\n // Interactive mode: queue strands and use debounce timer to trigger batch processing\n logger.debug(\n `>>> Queueing strand for interactive processing: ${documentType}:${strand.documentId}`,\n );\n\n // Add strand to queue (will replace any existing strand for same document)\n this.interactiveManager.queueStrand(strand);\n\n // Clear any existing debounce timer for interactive processing\n const existingTimer = this.debounceTimers.get(\"interactive\");\n if (existingTimer) {\n clearTimeout(existingTimer);\n }\n\n // Set up debounce timer for batch interactive processing\n // eslint-disable-next-line @typescript-eslint/no-misused-promises\n const debounceTimer = setTimeout(async () => {\n try {\n await this.interactiveManager.processQueueWithConfirmation(\n async (queuedStrands: QueuedStrand[]) => {\n await this.processQueuedStrands(queuedStrands);\n },\n );\n } catch (error) {\n logger.error(\"❌ Error during interactive batch processing:\", error);\n } finally {\n // Clean up the timer reference\n this.debounceTimers.delete(\"interactive\");\n }\n }, DEFAULT_DEBOUNCE_TIME);\n\n // Store the timer reference using 'interactive' key\n this.debounceTimers.set(\"interactive\", debounceTimer);\n } else {\n // Non-interactive mode: use debouncing per document instance\n // Create unique key for this specific document instance\n const timerKey = `${documentType}:${strand.documentId}`;\n\n // Clear any existing debounce timer for this document instance\n const existingTimer = this.debounceTimers.get(timerKey);\n if (existingTimer) {\n clearTimeout(existingTimer);\n }\n\n // Set up new debounced generation (no interactive confirmation)\n // eslint-disable-next-line @typescript-eslint/no-misused-promises\n const debounceTimer = setTimeout(async () => {\n try {\n logger.debug(\n `🔄 Routing document type \"${documentType}\" to generator (debounced)`,\n );\n\n // Direct generation, no interactive confirmation\n await generator.generate(strand);\n logger.debug(\n `✅ Successfully generated code for document type: ${documentType}`,\n );\n } catch (error) {\n logger.error(\n `❌ Error generating code for document type \"${documentType}\":`,\n error,\n );\n // Don't throw - let codegen continue with other documents\n } finally {\n // Clean up the timer reference\n this.debounceTimers.delete(documentType);\n }\n }, DEFAULT_DEBOUNCE_TIME);\n\n // Store the timer reference\n this.debounceTimers.set(timerKey, debounceTimer);\n }\n }\n\n /**\n * Process multiple strands in priority order (document-model types first)\n */\n private async processQueuedStrands(\n queuedStrands: QueuedStrand[],\n ): Promise<void> {\n logger.debug(`🔄 Processing ${queuedStrands.length} queued strand(s)`);\n\n // Sort by priority (document-model first to ensure dependencies exist)\n const documentModelStrands = queuedStrands.filter(\n (qs: QueuedStrand) =>\n qs.strand.documentType === \"powerhouse/document-model\",\n );\n const otherStrands = queuedStrands.filter(\n (qs: QueuedStrand) =>\n qs.strand.documentType !== \"powerhouse/document-model\",\n );\n\n // Process document models first\n for (const queuedStrand of documentModelStrands) {\n await this.processStrand(queuedStrand.strand);\n }\n\n // Then process other document types\n for (const queuedStrand of otherStrands) {\n await this.processStrand(queuedStrand.strand);\n }\n\n logger.debug(\n `✅ Successfully processed all ${queuedStrands.length} queued strand(s)`,\n );\n }\n\n /**\n * Process a single strand (used internally by processQueuedStrands)\n */\n private async processStrand(strand: CodegenInput): Promise<void> {\n const documentType = strand.documentType;\n const generator = this.getGenerator(documentType);\n\n if (!generator) {\n logger.warn(`⚠️ No generator found for document type: ${documentType}`);\n return;\n }\n\n try {\n logger.debug(`🔄 Generating code for document type: ${documentType}`);\n await generator.generate(strand);\n logger.debug(\n `✅ Successfully generated code for document type: ${documentType}`,\n );\n } catch (error) {\n logger.error(\n `❌ Error generating code for document type \"${documentType}\":`,\n error,\n );\n // Don't throw here to allow other strands to be processed\n }\n }\n\n /**\n * Clear all registered generators\n */\n clearGenerators(): void {\n this.generators.clear();\n logger.debug(\"🧹 Cleared all registered generators\");\n }\n\n /**\n * Get statistics about registered generators\n */\n getStats(): { totalGenerators: number; supportedTypes: string[] } {\n return {\n totalGenerators: this.generators.size,\n supportedTypes: this.getRegisteredDocumentTypes(),\n };\n }\n\n /**\n * Set interactive mode for code generation\n */\n setInteractiveMode(enabled: boolean): void {\n this.interactiveManager.setInteractiveMode(enabled);\n }\n\n /**\n * Check if interactive mode is enabled\n */\n isInteractiveMode(): boolean {\n return this.interactiveManager.isInteractive();\n }\n\n /**\n * Check if the manager is currently processing an interactive confirmation\n */\n isProcessingInteractive(): boolean {\n return this.interactiveManager.isProcessing();\n }\n}\n","import type {\n MinimalBackupData,\n PHDocument,\n} from \"@powerhousedao/shared/document-model\";\nimport { baseMinimalSaveToFile, baseSaveToFile } from \"document-model/node\";\nimport { mkdir } from \"fs/promises\";\nimport { join } from \"path\";\nimport { logger } from \"../../logger.js\";\n\nconst BACKUP_FOLDER = \"backup-documents\";\n\n/**\n * Exports a document to the backup directory.\n * Creates the backup directory if it doesn't exist.\n *\n * @param document - The document to backup\n * @param workingDir - Current working directory\n * @param extension - File extension for the document type (without dot)\n * @param name - Name of the document to use for the backup file (optional)\n * @returns Promise resolving to the backup file path, or undefined if backup failed\n */\nexport async function backupDocument(\n document: PHDocument,\n workingDir: string,\n extension: string = \"\",\n name?: string,\n): Promise<string | undefined> {\n const docName = name ?? document.header.name;\n\n try {\n const backupPath = join(workingDir, BACKUP_FOLDER);\n await mkdir(backupPath, { recursive: true });\n\n const filePath = await baseSaveToFile(\n document,\n backupPath,\n extension,\n docName,\n );\n\n logger.debug(`📁 Document backed up to: ${filePath}`);\n return filePath;\n } catch (error) {\n logger.warn(`⚠️ Failed to backup document \"${docName}\":`, error);\n return undefined;\n }\n}\n\n/**\n * Creates a minimal backup of a document from strand data.\n * Used when the full document is not available (e.g., in onOperations handler).\n */\nexport async function minimalBackupDocument(\n data: MinimalBackupData,\n workingDir: string,\n extension?: string,\n): Promise<string | undefined> {\n try {\n const backupPath = join(workingDir, BACKUP_FOLDER);\n await mkdir(backupPath, { recursive: true });\n\n const filePath = await baseMinimalSaveToFile(\n data,\n backupPath,\n extension ?? \"\",\n );\n\n logger.debug(`Document backed up to: ${filePath}`);\n return filePath;\n } catch (error) {\n logger.warn(`Failed to backup document \"${data.name}\":`, error);\n return undefined;\n }\n}\n","import { generateDriveEditor, generateManifest } from \"@powerhousedao/codegen\";\nimport type {\n AppModuleGlobalState,\n AppModulePHState,\n} from \"@powerhousedao/vetra/document-models/app-module\";\nimport { kebabCase } from \"change-case\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for app documents\n */\nexport class AppGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/app\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): AppModuleGlobalState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as AppModulePHState;\n return fullState.global;\n }\n\n /**\n * Validate if this app strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for app: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid app name and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for app: ${input.documentId}`);\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `App not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for app: ${input.documentId}`);\n return;\n }\n\n // Check if we have a valid app name and it's confirmed\n if (state.name && state.status === \"CONFIRMED\") {\n logger.info(`🔄 Starting drive editor generation for app: ${state.name}`);\n try {\n // Generate app ID using kebabCase\n const appId: string = kebabCase(state.name);\n // Generate the drive editor using the codegen function\n await generateDriveEditor({\n ...this.config.PH_CONFIG,\n driveEditorName: state.name,\n driveEditorId: appId,\n allowedDocumentTypes: state.allowedDocumentTypes ?? [],\n isDragAndDropEnabled: state.isDragAndDropEnabled,\n });\n\n logger.info(\n `✅ Drive editor generation completed successfully for app: ${state.name}`,\n );\n\n // Update the manifest with the new app\n try {\n logger.debug(\n `🔄 Updating manifest with app: ${state.name} (ID: ${appId})`,\n );\n\n generateManifest(\n {\n apps: [\n {\n id: appId,\n name: state.name,\n driveEditor: appId,\n } as any,\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for app: ${state.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for app ${state.name}:`,\n manifestError,\n );\n // Don't throw here - drive editor generation was successful\n }\n\n // Backup the document\n const fullState = input.state as AppModulePHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during drive editor generation for app ${state.name}:`,\n error,\n );\n if (error instanceof Error) {\n logger.error(`❌ Error message: ${error.message}`);\n }\n }\n } else {\n if (!state.name) {\n logger.error(\n `❌ Skipping drive editor generation - missing name for app`,\n );\n return;\n } else if (state.status !== \"CONFIRMED\") {\n logger.error(\n `❌ Skipping drive editor generation - app \"${state.name}\" is not confirmed (status: ${state.status})`,\n );\n return;\n }\n }\n }\n}\n","import { generateEditor, generateManifest } from \"@powerhousedao/codegen\";\nimport { kebabCase } from \"change-case\";\nimport type {\n DocumentEditorPHState,\n DocumentEditorState,\n} from \"../../../../document-models/document-editor/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for document editor documents\n */\nexport class DocumentEditorGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/document-editor\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): DocumentEditorState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as DocumentEditorPHState;\n return fullState.global;\n }\n\n /**\n * Validate if this document editor strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for document editor: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid editor name, document types, and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for document editor: ${input.documentId}`);\n return false;\n }\n\n if (!state.documentTypes || state.documentTypes.length === 0) {\n logger.debug(\n `No document types found for document editor: ${state.name}`,\n );\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `Document editor not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for document editor: ${input.documentId}`);\n return;\n }\n\n // Validation is already done in shouldProcess, so we can proceed directly\n logger.info(`🔄 Starting editor generation for: ${state.name}`);\n try {\n // Extract document types from the state\n const documentTypes = state.documentTypes.map((dt) => dt.documentType);\n\n // Generate editor ID using kebabCase\n const editorId: string = kebabCase(state.name);\n\n // Generate the editor using the codegen function\n await generateEditor({\n ...this.config.PH_CONFIG,\n editorName: state.name,\n documentTypes: documentTypes,\n editorId: editorId,\n });\n\n logger.info(\n `✅ Editor generation completed successfully for: ${state.name}`,\n );\n\n // Update the manifest with the new editor\n try {\n logger.debug(\n `🔄 Updating manifest with editor: ${state.name} (ID: ${editorId})`,\n );\n\n generateManifest(\n {\n editors: [\n {\n id: editorId,\n name: state.name,\n documentTypes: documentTypes,\n },\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for editor: ${state.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for editor ${state.name}:`,\n manifestError,\n );\n // Don't throw here - editor generation was successful\n }\n\n // Backup the document\n const fullState = input.state as DocumentEditorPHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during editor generation for ${state.name}:`,\n error,\n );\n if (error instanceof Error) {\n logger.error(`❌ Error message: ${error.message}`);\n }\n // Don't throw - let codegen continue with other documents\n return;\n }\n }\n}\n","import {\n generateFromDocument,\n generateManifest,\n validateDocumentModelState,\n} from \"@powerhousedao/codegen\";\nimport type {\n DocumentModelGlobalState,\n DocumentModelPHState,\n} from \"@powerhousedao/shared/document-model\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { USE_VERSIONING } from \"./constants.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for document model documents\n */\nexport class DocumentModelGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/document-model\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): DocumentModelGlobalState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as DocumentModelPHState;\n return fullState.global;\n }\n\n /**\n * Validate if this document model strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n // Extract the global state from the full document state\n const globalState = this.extractGlobalState(input);\n if (!globalState) {\n logger.debug(\n `>>> No global state found for document model: ${input.documentId}`,\n );\n return false;\n }\n\n const validationResult = validateDocumentModelState(globalState);\n if (!validationResult.isValid) {\n const errorList = validationResult.errors\n .map((error) => ` - ${error}`)\n .join(\"\\n\");\n logger.info(\n `⚠️ Skipped code generation for '${globalState.name || input.documentId}' due to validation errors:\\n${errorList}`,\n );\n return false;\n }\n\n logger.info(\n `Document model ${globalState.name} is valid, proceeding with code generation`,\n );\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const globalState = this.extractGlobalState(input);\n if (!globalState) {\n logger.error(\n `❌ No global state found for document model: ${input.documentId}`,\n );\n return;\n }\n // Validation is already done in shouldProcess, so we can proceed directly\n logger.debug(\n `🔄 Starting code generation for document model: ${globalState.name}`,\n );\n try {\n await generateFromDocument({\n documentModelState: globalState,\n config: this.config.PH_CONFIG,\n useVersioning: USE_VERSIONING,\n });\n logger.info(\n `✅ Code generation completed successfully for: ${globalState.name}`,\n );\n\n // Update the manifest with the new document model\n try {\n logger.debug(\n `🔄 Updating manifest with document model: ${globalState.name} (ID: ${globalState.id})`,\n );\n\n generateManifest(\n {\n documentModels: [\n {\n id: globalState.id,\n name: globalState.name,\n },\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for document model: ${globalState.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for document model ${globalState.name}:`,\n manifestError,\n );\n // Don't throw here - code generation was successful\n }\n\n // Backup the document\n const fullState = input.state as DocumentModelPHState;\n const extension = globalState.extension?.replace(/^\\.+|\\.+$/g, \"\") || \"\";\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: globalState.name,\n },\n this.config.CURRENT_WORKING_DIR,\n extension,\n );\n } catch (error) {\n logger.error(\n `❌ Error during code generation for ${globalState.name}:`,\n error,\n );\n // Don't throw - let codegen continue with other documents\n return;\n }\n }\n}\n","import { generateManifest } from \"@powerhousedao/codegen\";\nimport type {\n VetraPackagePHState,\n VetraPackageState,\n} from \"../../../../document-models/vetra-package/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for package documents\n */\nexport class PackageGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/package\";\n\n /**\n * Validate if this package strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n if (!input.state) {\n logger.debug(`>>> No state found for package: ${input.documentId}`);\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const fullState = input.state as VetraPackagePHState;\n const state = fullState as unknown as VetraPackageState;\n\n logger.info(\"🔄 Generating manifest for package\");\n generateManifest(\n {\n name: state.name ?? \"\",\n category: state.category ?? \"\",\n description: state.description ?? \"\",\n publisher: {\n name: state.author?.name ?? \"\",\n url: state.author?.website ?? \"\",\n },\n },\n this.config.CURRENT_WORKING_DIR,\n );\n logger.info(\"✅ Manifest generated successfully\");\n\n // Backup the document\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: \"vetra-package\",\n },\n this.config.CURRENT_WORKING_DIR,\n );\n }\n}\n","import { generateProcessor } from \"@powerhousedao/codegen\";\nimport {\n PROCESSOR_APPS,\n type ProcessorApp,\n type ProcessorApps,\n} from \"@powerhousedao/shared/processors\";\nimport type {\n ProcessorModulePHState,\n ProcessorModuleState,\n} from \"../../../../document-models/processor-module/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for processor documents\n */\nexport class ProcessorGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/processor\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): ProcessorModuleState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as ProcessorModulePHState;\n return fullState.global;\n }\n\n /**\n * Validate if this processor strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for processor: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid processor name, type, document types, and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for processor: ${input.documentId}`);\n return false;\n }\n\n if (!state.type) {\n logger.debug(`No type found for processor: ${state.name}`);\n return false;\n }\n\n if (!state.documentTypes || state.documentTypes.length === 0) {\n logger.debug(`No document types found for processor: ${state.name}`);\n return false;\n }\n\n if (!state.processorApps || state.processorApps.length === 0) {\n logger.debug(`No processor apps found for processor: ${state.name}`);\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `Processor not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for processor: ${input.documentId}`);\n return;\n }\n\n // Check if we have a valid processor name, type, document types, and it's confirmed\n if (\n state.name &&\n state.type &&\n state.documentTypes.length > 0 &&\n state.processorApps.length > 0 &&\n state.status === \"CONFIRMED\"\n ) {\n logger.info(`🔄 Starting processor generation for: ${state.name}`);\n try {\n // Map the type value from document state to generateProcessor expected values\n let processorType: \"analytics\" | \"relationalDb\";\n if (state.type === \"analytics\") {\n processorType = \"analytics\";\n } else if (state.type === \"relational\") {\n processorType = \"relationalDb\";\n } else {\n logger.error(`❌ Unsupported processor type: ${state.type}`);\n return;\n }\n\n // Extract document types from the state\n const documentTypes = state.documentTypes.map((dt) => dt.documentType);\n\n const processorApps = state.processorApps;\n\n if (!isProcessorApps(processorApps)) {\n logger.error(\n `❌ Unsupported processor apps: ${processorApps.join(\", \")}`,\n );\n return;\n }\n\n // Generate the processor using the codegen function\n await generateProcessor({\n processorName: state.name,\n processorType,\n documentTypes,\n skipFormat: this.config.PH_CONFIG.skipFormat,\n processorApps,\n });\n\n logger.info(\n `✅ Processor generation completed successfully for: ${state.name}`,\n );\n\n // Backup the document\n const fullState = input.state as ProcessorModulePHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during processor generation for ${state.name}:`,\n error,\n );\n if (error instanceof Error) {\n logger.error(`❌ Error message: ${error.message}`);\n }\n }\n } else {\n if (!state.name) {\n logger.error(\n `❌ Skipping processor generation - missing name for processor`,\n );\n return;\n } else if (!state.type) {\n logger.error(\n `❌ Skipping processor generation - missing type for processor \"${state.name}\"`,\n );\n return;\n } else if (state.documentTypes.length === 0) {\n logger.error(\n `❌ Skipping processor generation - missing document types for processor \"${state.name}\"`,\n );\n return;\n } else if (state.status !== \"CONFIRMED\") {\n logger.error(\n `❌ Skipping processor generation - processor \"${state.name}\" is not confirmed (status: ${state.status})`,\n );\n return;\n }\n }\n }\n}\n\nfunction isProcessorApps(input: readonly string[]): input is ProcessorApps {\n if (input.length === 0) return false;\n if (new Set(input).size !== input.length) {\n return false;\n }\n if (!input.every((i) => PROCESSOR_APPS.includes(i as ProcessorApp)))\n return false;\n\n return true;\n}\n","import { generateManifest, generateSubgraph } from \"@powerhousedao/codegen\";\nimport { kebabCase } from \"change-case\";\nimport type {\n SubgraphModulePHState,\n SubgraphModuleState,\n} from \"../../../../document-models/subgraph-module/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for subgraph documents\n */\nexport class SubgraphGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/subgraph\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): SubgraphModuleState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as SubgraphModulePHState;\n return fullState.global;\n }\n\n /**\n * Validate if this subgraph strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for subgraph: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid subgraph name and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for subgraph: ${input.documentId}`);\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `Subgraph not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for subgraph: ${input.documentId}`);\n return;\n }\n\n // Check if we have a valid subgraph name and it's confirmed\n if (state.name && state.status === \"CONFIRMED\") {\n logger.info(`🔄 Starting subgraph generation for: ${state.name}`);\n try {\n // Generate subgraph ID using kebabCase\n const subgraphId: string = kebabCase(state.name);\n\n await generateSubgraph(state.name, null, this.config.PH_CONFIG);\n logger.info(\n `✅ Subgraph generation completed successfully for: ${state.name}`,\n );\n\n // Update the manifest with the new subgraph\n try {\n logger.debug(\n `🔄 Updating manifest with subgraph: ${state.name} (ID: ${subgraphId})`,\n );\n\n generateManifest(\n {\n subgraphs: [\n {\n id: subgraphId,\n name: state.name,\n documentTypes: [],\n },\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for subgraph: ${state.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for subgraph ${state.name}:`,\n manifestError,\n );\n // Don't throw here - subgraph generation was successful\n }\n\n // Backup the document\n const fullState = input.state as SubgraphModulePHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during subgraph generation for ${state.name}:`,\n error,\n );\n }\n } else {\n if (!state.name) {\n logger.error(\n `❌ Skipping subgraph generation - missing name for subgraph`,\n );\n return;\n } else if (state.status !== \"CONFIRMED\") {\n logger.error(\n `❌ Skipping subgraph generation - subgraph \"${state.name}\" is not confirmed (status: ${state.status})`,\n );\n return;\n }\n }\n }\n}\n","import type { BaseDocumentGen } from \"./base-document-gen.js\";\nimport { DocumentCodegenManager } from \"./document-codegen-manager.js\";\nimport {\n AppGenerator,\n DocumentEditorGenerator,\n DocumentModelGenerator,\n PackageGenerator,\n ProcessorGenerator,\n SubgraphGenerator,\n} from \"./generators/index.js\";\nimport type { Config } from \"./types.js\";\n\n/**\n * Factory class for creating and configuring DocumentCodegenManager instances\n * with all the standard generators pre-registered\n */\nexport class DocumentCodegenFactory {\n /**\n * Create a DocumentCodegenManager with all standard generators registered\n */\n static createManager(\n config: Config,\n interactiveMode: boolean = false,\n ): DocumentCodegenManager {\n const manager = new DocumentCodegenManager(config, interactiveMode);\n\n // Register all the standard generators\n manager.registerGenerator(\n \"powerhouse/document-model\",\n DocumentModelGenerator,\n );\n manager.registerGenerator(\"powerhouse/package\", PackageGenerator);\n manager.registerGenerator(\"powerhouse/app\", AppGenerator);\n manager.registerGenerator(\n \"powerhouse/document-editor\",\n DocumentEditorGenerator,\n );\n manager.registerGenerator(\"powerhouse/subgraph\", SubgraphGenerator);\n manager.registerGenerator(\"powerhouse/processor\", ProcessorGenerator);\n\n return manager;\n }\n\n /**\n * Create a DocumentCodegenManager with only specific generators\n */\n static createManagerWithGenerators(\n config: Config,\n generators: Array<new (config: Config) => any>,\n interactiveMode: boolean = false,\n ): DocumentCodegenManager {\n const manager = new DocumentCodegenManager(config, interactiveMode);\n\n for (const generatorClass of generators) {\n const generator = new generatorClass(config) as BaseDocumentGen;\n const supportedTypes = generator.getSupportedDocumentTypes();\n\n for (const documentType of supportedTypes) {\n manager.registerGenerator(documentType, generatorClass);\n }\n }\n\n return manager;\n }\n\n /**\n * Get all available generator classes\n */\n static getAvailableGenerators() {\n return {\n DocumentModelGenerator,\n PackageGenerator,\n AppGenerator,\n DocumentEditorGenerator,\n SubgraphGenerator,\n ProcessorGenerator,\n };\n }\n}\n","import { getConfig } from \"@powerhousedao/config/node\";\nimport type {\n IProcessor,\n OperationWithContext,\n} from \"@powerhousedao/reactor-browser\";\nimport type { DocumentCodegenManager } from \"./document-handlers/document-codegen-manager.js\";\nimport { DocumentCodegenFactory } from \"./document-handlers/index.js\";\nimport type { CodegenInput } from \"./document-handlers/types.js\";\nimport { logger } from \"./logger.js\";\n\nconst PH_CONFIG = getConfig();\nconst CURRENT_WORKING_DIR = process.cwd();\n\nexport class CodegenProcessor implements IProcessor {\n private manager: DocumentCodegenManager;\n\n constructor(interactiveMode = false) {\n this.manager = DocumentCodegenFactory.createManager(\n {\n PH_CONFIG,\n CURRENT_WORKING_DIR,\n },\n interactiveMode,\n );\n\n if (interactiveMode) {\n logger.info(`CodegenProcessor initialized with interactive mode enabled`);\n } else {\n logger.debug(\n `CodegenProcessor initialized with interactive mode disabled`,\n );\n }\n }\n\n async onOperations(operations: OperationWithContext[]): Promise<void> {\n logger.info(\"CodegenProcessor.onOperations()\");\n\n for (const { context } of operations) {\n const generator = this.manager.getGenerator(context.documentType);\n if (!generator) {\n logger.debug(\n `No generator found for document type: ${context.documentType}`,\n );\n continue;\n }\n\n const input: CodegenInput = {\n documentId: context.documentId,\n documentType: context.documentType,\n scope: context.scope,\n branch: context.branch,\n state: context.resultingState\n ? JSON.parse(context.resultingState)\n : undefined,\n };\n\n const shouldProcess = generator.shouldProcess(input);\n if (shouldProcess) {\n await this.manager.routeAndGenerate(input);\n }\n }\n }\n\n async onDisconnect() {}\n\n // Utility methods for external configuration and monitoring\n public setInteractiveMode(enabled: boolean): void {\n this.manager.setInteractiveMode(enabled);\n }\n\n public isInteractive(): boolean {\n return this.manager.isInteractiveMode();\n }\n\n public isProcessingInteractive(): boolean {\n return this.manager.isProcessingInteractive();\n }\n}\n"],"mappings":";;;;;;;;;;;;;;AAMA,IAAsB,kBAAtB,MAAsC;CAOpC,YAAY,QAA0B;AAAhB,OAAA,SAAA;;;;;CAWtB,qBAAqB,cAA+B;AAClD,MAAI,OAAO,KAAK,2BAA2B,SACzC,QAAO,KAAK,2BAA2B;AAEzC,SAAO,KAAK,uBAAuB,SAAS,aAAa;;;;;CAM3D,4BAAsC;AACpC,MAAI,OAAO,KAAK,2BAA2B,SACzC,QAAO,CAAC,KAAK,uBAAuB;AAEtC,SAAO,CAAC,GAAG,KAAK,uBAAuB;;;;;;CAOzC,cAAc,QAA+B;AAE3C,MAAI,CAAC,OAAO,cAAc,CAAC,OAAO,aAChC,QAAO;AAIT,MAAI,CAAC,KAAK,qBAAqB,OAAO,aAAa,CACjD,QAAO;AAIT,SAAO;;;;;;;;;AC5CX,IAAa,qBAAb,MAAgC;CAC9B;CACA,yBAAiC;CACjC,8BAAsB,IAAI,KAA2B;CAErD,YAAY,kBAAkB,OAAO;AACnC,OAAK,oBAAoB;;CAG3B,eAAuB,cAAsB,YAA4B;AACvE,SAAO,GAAG,aAAa,GAAG;;;;;CAM5B,YAAmB,QAA4B;EAC7C,MAAM,cAAc,KAAK,eACvB,OAAO,cACP,OAAO,WACR;AAED,OAAK,YAAY,IAAI,aAAa;GAChC;GACA,WAAW,KAAK,KAAK;GACtB,CAAC;AAEF,SAAO,MACL,yBAAyB,YAAY,gBAAgB,KAAK,YAAY,OACvE;;;;;CAMH,mBAA0C;AACxC,SAAO,MAAM,KAAK,KAAK,YAAY,QAAQ,CAAC;;;;;CAM9C,aAAoC;EAClC,MAAM,gBAAgB,MAAM,KAAK,KAAK,YAAY,QAAQ,CAAC;AAC3D,OAAK,YAAY,OAAO;AACxB,SAAO;;;;;CAMT,eAA8B;AAC5B,SAAO,KAAK,YAAY;;CAG1B,MAAc,yBAA2C;AACvD,SAAO,IAAI,SAAS,YAAY;GAC9B,MAAM,KAAK,gBAAgB;IACzB,OAAO,QAAQ;IACf,QAAQ,QAAQ;IACjB,CAAC;AAEF,WAAQ,IAAI,OAAO,IAAI,OAAO,GAAG,CAAC;AAClC,WAAQ,IAAI,mCAAmC;AAC/C,WAAQ,IAAI,IAAI,OAAO,GAAG,CAAC;AAE3B,WAAQ,OAAO,MACb,2DACD;AAED,MAAG,GAAG,SAAS,WAAmB;AAChC,OAAG,OAAO;AACV,YAAQ,IAAI,GAAG;AACf,YAAQ,OAAO,aAAa,KAAK,OAAO,OAAO,aAAa,KAAK,MAAM;KACvE;IACF;;;;;;CAOJ,MAAa,wBACX,cACA,WACmB;AACnB,MAAI,KAAK,wBAAwB;AAC/B,UAAO,MAAM,4CAA4C;AACzD,UAAO;;AAGT,OAAK,yBAAyB;AAE9B,MAAI;AAIF,OAAI,CAFkB,MAAM,KAAK,wBAAwB,EAErC;AAClB,WAAO,KAAK,2CAA2C,eAAe;AACtE,WAAO;;AAGT,UAAO,KAAK,uCAAuC,eAAe;AAGlE,UADe,MAAM,WAAW;WAEzB,OAAO;AACd,UAAO,MACL,kDAAkD,aAAa,IAC/D,MACD;AACD,SAAM;YACE;AACR,QAAK,yBAAyB;;;;;;;CAQlC,MAAa,6BACX,WACe;AACf,MAAI,KAAK,wBAAwB;AAC/B,UAAO,MACL,6DACD;AACD;;EAIF,IAAI,gBAAgB,KAAK,kBAAkB;AAC3C,MAAI,cAAc,WAAW,GAAG;AAC9B,UAAO,MAAM,iCAAiC;AAC9C;;AAGF,OAAK,yBAAyB;AAE9B,MAAI;AAIF,OAAI,CAFkB,MAAM,KAAK,wBAAwB,EAErC;AAClB,WAAO,KAAK,sCAAsC;AAElD,SAAK,YAAY;AACjB;;AAKF,mBAAgB,KAAK,YAAY;AACjC,OAAI,cAAc,WAAW,GAAG;AAC9B,WAAO,KAAK,6BAA6B;AACzC;;AAGF,UAAO,KACL,uCAAuC,cAAc,OAAO,cAC7D;AAGD,SAAM,UAAU,cAAc;AAC9B,UAAO,KAAK,8BAA8B;WACnC,OAAO;AACd,UAAO,MAAM,gDAAgD,MAAM;AACnE,SAAM;YACE;AACR,QAAK,yBAAyB;;;CAIlC,mBAA0B,SAAwB;AAChD,OAAK,oBAAoB;AACzB,SAAO,MAAM,4BAA4B,UAAU;;CAGrD,gBAAgC;AAC9B,SAAO,KAAK;;CAGd,eAA+B;AAC7B,SAAO,KAAK;;;;;AC/LhB,MAAM,wBAAwB;;;;;AAM9B,IAAa,yBAAb,MAAoC;CAClC,6BAAqB,IAAI,KAA8B;CACvD,iCAAyB,IAAI,KAA6B;CAC1D,kBAAyC,QAAQ,SAAS;CAC1D;CAEA,YACE,QACA,kBAAkB,OAClB;AAFQ,OAAA,SAAA;AAGR,OAAK,qBAAqB,IAAI,mBAAmB,gBAAgB;;;;;CAMnE,kBACE,cACA,gBACM;AACN,MAAI,KAAK,WAAW,IAAI,aAAa,CACnC,QAAO,KACL,mCAAmC,aAAa,uCACjD;AAGH,OAAK,WAAW,IAAI,cAAc,IAAI,eAAe,KAAK,OAAO,CAAC;AAClE,SAAO,MAAM,6CAA6C,eAAe;;;;;CAM3E,2BACE,gBACM;EACN,MAAM,YAAY,IAAI,eAAe,KAAK,OAAO;EACjD,MAAM,iBAAiB,UAAU,2BAA2B;AAE5D,OAAK,MAAM,gBAAgB,gBAAgB;AACzC,OAAI,KAAK,WAAW,IAAI,aAAa,CACnC,QAAO,KACL,mCAAmC,aAAa,uCACjD;AAEH,QAAK,WAAW,IAAI,cAAc,UAAU;;AAG9C,SAAO,MACL,yDAAyD,eAAe,KAAK,KAAK,GACnF;;;;;;CAOH,aAAoB,cAAmD;AACrE,SAAO,KAAK,WAAW,IAAI,aAAa;;;;;CAM1C,6BAAuC;AACrC,SAAO,MAAM,KAAK,KAAK,WAAW,MAAM,CAAC;;;;;CAM3C,wBAAwB,cAA+B;AACrD,SAAO,KAAK,WAAW,IAAI,aAAa;;;;;;CAO1C,MAAM,iBAAiB,QAAqC;EAC1D,MAAM,eAAe,OAAO;AAE5B,MAAI,CAAC,cAAc;AACjB,UAAO,MAAM,+CAA+C;AAC5D,SAAM,IAAI,MAAM,6CAA6C;;EAG/D,MAAM,YAAY,KAAK,aAAa,aAAa;AAEjD,MAAI,CAAC,WAAW;AACd,UAAO,KAAK,4CAA4C,eAAe;AACvE,UAAO,KACL,gCAAgC,KAAK,4BAA4B,CAAC,KAAK,KAAK,GAC7E;AACD,SAAM,IAAI,MAAM,8BAA8B,eAAe;;AAI/D,MAAI,CAAC,UAAU,cAAc,OAAO,EAAE;AACpC,UAAO,MACL,uCAAuC,aAAa,GAAG,OAAO,WAAW,uBAC1E;AACD;;AAIF,MAAI,KAAK,mBAAmB,eAAe,EAAE;AAE3C,UAAO,MACL,mDAAmD,aAAa,GAAG,OAAO,aAC3E;AAGD,QAAK,mBAAmB,YAAY,OAAO;GAG3C,MAAM,gBAAgB,KAAK,eAAe,IAAI,cAAc;AAC5D,OAAI,cACF,cAAa,cAAc;GAK7B,MAAM,gBAAgB,WAAW,YAAY;AAC3C,QAAI;AACF,WAAM,KAAK,mBAAmB,6BAC5B,OAAO,kBAAkC;AACvC,YAAM,KAAK,qBAAqB,cAAc;OAEjD;aACM,OAAO;AACd,YAAO,MAAM,gDAAgD,MAAM;cAC3D;AAER,UAAK,eAAe,OAAO,cAAc;;MAE1C,sBAAsB;AAGzB,QAAK,eAAe,IAAI,eAAe,cAAc;SAChD;GAGL,MAAM,WAAW,GAAG,aAAa,GAAG,OAAO;GAG3C,MAAM,gBAAgB,KAAK,eAAe,IAAI,SAAS;AACvD,OAAI,cACF,cAAa,cAAc;GAK7B,MAAM,gBAAgB,WAAW,YAAY;AAC3C,QAAI;AACF,YAAO,MACL,6BAA6B,aAAa,4BAC3C;AAGD,WAAM,UAAU,SAAS,OAAO;AAChC,YAAO,MACL,oDAAoD,eACrD;aACM,OAAO;AACd,YAAO,MACL,8CAA8C,aAAa,KAC3D,MACD;cAEO;AAER,UAAK,eAAe,OAAO,aAAa;;MAEzC,sBAAsB;AAGzB,QAAK,eAAe,IAAI,UAAU,cAAc;;;;;;CAOpD,MAAc,qBACZ,eACe;AACf,SAAO,MAAM,iBAAiB,cAAc,OAAO,mBAAmB;EAGtE,MAAM,uBAAuB,cAAc,QACxC,OACC,GAAG,OAAO,iBAAiB,4BAC9B;EACD,MAAM,eAAe,cAAc,QAChC,OACC,GAAG,OAAO,iBAAiB,4BAC9B;AAGD,OAAK,MAAM,gBAAgB,qBACzB,OAAM,KAAK,cAAc,aAAa,OAAO;AAI/C,OAAK,MAAM,gBAAgB,aACzB,OAAM,KAAK,cAAc,aAAa,OAAO;AAG/C,SAAO,MACL,gCAAgC,cAAc,OAAO,mBACtD;;;;;CAMH,MAAc,cAAc,QAAqC;EAC/D,MAAM,eAAe,OAAO;EAC5B,MAAM,YAAY,KAAK,aAAa,aAAa;AAEjD,MAAI,CAAC,WAAW;AACd,UAAO,KAAK,4CAA4C,eAAe;AACvE;;AAGF,MAAI;AACF,UAAO,MAAM,yCAAyC,eAAe;AACrE,SAAM,UAAU,SAAS,OAAO;AAChC,UAAO,MACL,oDAAoD,eACrD;WACM,OAAO;AACd,UAAO,MACL,8CAA8C,aAAa,KAC3D,MACD;;;;;;CAQL,kBAAwB;AACtB,OAAK,WAAW,OAAO;AACvB,SAAO,MAAM,uCAAuC;;;;;CAMtD,WAAkE;AAChE,SAAO;GACL,iBAAiB,KAAK,WAAW;GACjC,gBAAgB,KAAK,4BAA4B;GAClD;;;;;CAMH,mBAAmB,SAAwB;AACzC,OAAK,mBAAmB,mBAAmB,QAAQ;;;;;CAMrD,oBAA6B;AAC3B,SAAO,KAAK,mBAAmB,eAAe;;;;;CAMhD,0BAAmC;AACjC,SAAO,KAAK,mBAAmB,cAAc;;;;;ACxRjD,MAAM,gBAAgB;;;;;AA2CtB,eAAsB,sBACpB,MACA,YACA,WAC6B;AAC7B,KAAI;EACF,MAAM,aAAa,KAAK,YAAY,cAAc;AAClD,QAAM,MAAM,YAAY,EAAE,WAAW,MAAM,CAAC;EAE5C,MAAM,WAAW,MAAM,sBACrB,MACA,YACA,aAAa,GACd;AAED,SAAO,MAAM,0BAA0B,WAAW;AAClD,SAAO;UACA,OAAO;AACd,SAAO,KAAK,8BAA8B,KAAK,KAAK,KAAK,MAAM;AAC/D;;;;;;;;ACzDJ,IAAa,eAAb,cAAkC,gBAAgB;CAChD,yBAAkC;;;;CAKlC,mBACE,OACkC;AAClC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,2BAA2B,MAAM,aAAa;AAC3D,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,0BAA0B,MAAM,aAAa;AAC1D,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,sBAAsB,MAAM,KAAK,YAAY,MAAM,OAAO,GAC3D;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,2BAA2B,MAAM,aAAa;AAC3D;;AAIF,MAAI,MAAM,QAAQ,MAAM,WAAW,aAAa;AAC9C,UAAO,KAAK,gDAAgD,MAAM,OAAO;AACzE,OAAI;IAEF,MAAM,QAAgB,UAAU,MAAM,KAAK;AAE3C,UAAM,oBAAoB;KACxB,GAAG,KAAK,OAAO;KACf,iBAAiB,MAAM;KACvB,eAAe;KACf,sBAAsB,MAAM,wBAAwB,EAAE;KACtD,sBAAsB,MAAM;KAC7B,CAAC;AAEF,WAAO,KACL,6DAA6D,MAAM,OACpE;AAGD,QAAI;AACF,YAAO,MACL,kCAAkC,MAAM,KAAK,QAAQ,MAAM,GAC5D;AAED,sBACE,EACE,MAAM,CACJ;MACE,IAAI;MACJ,MAAM,MAAM;MACZ,aAAa;MACd,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,YAAO,MACL,4CAA4C,MAAM,OACnD;aACM,eAAe;AACtB,YAAO,MACL,wCAAwC,MAAM,KAAK,IACnD,cACD;;IAKH,MAAM,YAAY,MAAM;AACxB,UAAM,sBACJ;KACE,YAAY,MAAM;KAClB,cAAc,MAAM;KACpB,QAAQ,MAAM;KACd,OAAO;KACP,MAAM,MAAM;KACb,EACD,KAAK,OAAO,oBACb;YACM,OAAO;AACd,WAAO,MACL,kDAAkD,MAAM,KAAK,IAC7D,MACD;AACD,QAAI,iBAAiB,MACnB,QAAO,MAAM,oBAAoB,MAAM,UAAU;;aAIjD,CAAC,MAAM,MAAM;AACf,UAAO,MACL,4DACD;AACD;aACS,MAAM,WAAW,aAAa;AACvC,UAAO,MACL,6CAA6C,MAAM,KAAK,8BAA8B,MAAM,OAAO,GACpG;AACD;;;;;;;;;ACtIR,IAAa,0BAAb,cAA6C,gBAAgB;CAC3D,yBAAkC;;;;CAKlC,mBACE,OACiC;AACjC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,uCAAuC,MAAM,aAAa;AACvE,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,sCAAsC,MAAM,aAAa;AACtE,UAAO;;AAGT,MAAI,CAAC,MAAM,iBAAiB,MAAM,cAAc,WAAW,GAAG;AAC5D,UAAO,MACL,gDAAgD,MAAM,OACvD;AACD,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,kCAAkC,MAAM,KAAK,YAAY,MAAM,OAAO,GACvE;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,uCAAuC,MAAM,aAAa;AACvE;;AAIF,SAAO,KAAK,sCAAsC,MAAM,OAAO;AAC/D,MAAI;GAEF,MAAM,gBAAgB,MAAM,cAAc,KAAK,OAAO,GAAG,aAAa;GAGtE,MAAM,WAAmB,UAAU,MAAM,KAAK;AAG9C,SAAM,eAAe;IACnB,GAAG,KAAK,OAAO;IACf,YAAY,MAAM;IACH;IACL;IACX,CAAC;AAEF,UAAO,KACL,mDAAmD,MAAM,OAC1D;AAGD,OAAI;AACF,WAAO,MACL,qCAAqC,MAAM,KAAK,QAAQ,SAAS,GAClE;AAED,qBACE,EACE,SAAS,CACP;KACE,IAAI;KACJ,MAAM,MAAM;KACG;KAChB,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,WAAO,MACL,+CAA+C,MAAM,OACtD;YACM,eAAe;AACtB,WAAO,MACL,2CAA2C,MAAM,KAAK,IACtD,cACD;;GAKH,MAAM,YAAY,MAAM;AACxB,SAAM,sBACJ;IACE,YAAY,MAAM;IAClB,cAAc,MAAM;IACpB,QAAQ,MAAM;IACd,OAAO;IACP,MAAM,MAAM;IACb,EACD,KAAK,OAAO,oBACb;WACM,OAAO;AACd,UAAO,MACL,wCAAwC,MAAM,KAAK,IACnD,MACD;AACD,OAAI,iBAAiB,MACnB,QAAO,MAAM,oBAAoB,MAAM,UAAU;AAGnD;;;;;;;;;ACjIN,IAAa,yBAAb,cAA4C,gBAAgB;CAC1D,yBAAkC;;;;CAKlC,mBACE,OACsC;AACtC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAIT,MAAM,cAAc,KAAK,mBAAmB,MAAM;AAClD,MAAI,CAAC,aAAa;AAChB,UAAO,MACL,iDAAiD,MAAM,aACxD;AACD,UAAO;;EAGT,MAAM,mBAAmB,2BAA2B,YAAY;AAChE,MAAI,CAAC,iBAAiB,SAAS;GAC7B,MAAM,YAAY,iBAAiB,OAChC,KAAK,UAAU,OAAO,QAAQ,CAC9B,KAAK,KAAK;AACb,UAAO,KACL,oCAAoC,YAAY,QAAQ,MAAM,WAAW,+BAA+B,YACzG;AACD,UAAO;;AAGT,SAAO,KACL,kBAAkB,YAAY,KAAK,4CACpC;AAED,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,cAAc,KAAK,mBAAmB,MAAM;AAClD,MAAI,CAAC,aAAa;AAChB,UAAO,MACL,+CAA+C,MAAM,aACtD;AACD;;AAGF,SAAO,MACL,mDAAmD,YAAY,OAChE;AACD,MAAI;AACF,SAAM,qBAAqB;IACzB,oBAAoB;IACpB,QAAQ,KAAK,OAAO;IACpB,eAAA;IACD,CAAC;AACF,UAAO,KACL,iDAAiD,YAAY,OAC9D;AAGD,OAAI;AACF,WAAO,MACL,6CAA6C,YAAY,KAAK,QAAQ,YAAY,GAAG,GACtF;AAED,qBACE,EACE,gBAAgB,CACd;KACE,IAAI,YAAY;KAChB,MAAM,YAAY;KACnB,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,WAAO,MACL,uDAAuD,YAAY,OACpE;YACM,eAAe;AACtB,WAAO,MACL,mDAAmD,YAAY,KAAK,IACpE,cACD;;GAKH,MAAM,YAAY,MAAM;GACxB,MAAM,YAAY,YAAY,WAAW,QAAQ,cAAc,GAAG,IAAI;AACtE,SAAM,sBACJ;IACE,YAAY,MAAM;IAClB,cAAc,MAAM;IACpB,QAAQ,MAAM;IACd,OAAO;IACP,MAAM,YAAY;IACnB,EACD,KAAK,OAAO,qBACZ,UACD;WACM,OAAO;AACd,UAAO,MACL,sCAAsC,YAAY,KAAK,IACvD,MACD;AAED;;;;;;;;;AChIN,IAAa,mBAAb,cAAsC,gBAAgB;CACpD,yBAAkC;;;;CAKlC,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;AAGT,MAAI,CAAC,MAAM,OAAO;AAChB,UAAO,MAAM,mCAAmC,MAAM,aAAa;AACnE,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,YAAY,MAAM;EACxB,MAAM,QAAQ;AAEd,SAAO,KAAK,qCAAqC;AACjD,mBACE;GACE,MAAM,MAAM,QAAQ;GACpB,UAAU,MAAM,YAAY;GAC5B,aAAa,MAAM,eAAe;GAClC,WAAW;IACT,MAAM,MAAM,QAAQ,QAAQ;IAC5B,KAAK,MAAM,QAAQ,WAAW;IAC/B;GACF,EACD,KAAK,OAAO,oBACb;AACD,SAAO,KAAK,oCAAoC;AAGhD,QAAM,sBACJ;GACE,YAAY,MAAM;GAClB,cAAc,MAAM;GACpB,QAAQ,MAAM;GACd,OAAO;GACP,MAAM;GACP,EACD,KAAK,OAAO,oBACb;;;;;;;;AC5CL,IAAa,qBAAb,cAAwC,gBAAgB;CACtD,yBAAkC;;;;CAKlC,mBACE,OACkC;AAClC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,iCAAiC,MAAM,aAAa;AACjE,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,gCAAgC,MAAM,aAAa;AAChE,UAAO;;AAGT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,gCAAgC,MAAM,OAAO;AAC1D,UAAO;;AAGT,MAAI,CAAC,MAAM,iBAAiB,MAAM,cAAc,WAAW,GAAG;AAC5D,UAAO,MAAM,0CAA0C,MAAM,OAAO;AACpE,UAAO;;AAGT,MAAI,CAAC,MAAM,iBAAiB,MAAM,cAAc,WAAW,GAAG;AAC5D,UAAO,MAAM,0CAA0C,MAAM,OAAO;AACpE,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,4BAA4B,MAAM,KAAK,YAAY,MAAM,OAAO,GACjE;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,iCAAiC,MAAM,aAAa;AACjE;;AAIF,MACE,MAAM,QACN,MAAM,QACN,MAAM,cAAc,SAAS,KAC7B,MAAM,cAAc,SAAS,KAC7B,MAAM,WAAW,aACjB;AACA,UAAO,KAAK,yCAAyC,MAAM,OAAO;AAClE,OAAI;IAEF,IAAI;AACJ,QAAI,MAAM,SAAS,YACjB,iBAAgB;aACP,MAAM,SAAS,aACxB,iBAAgB;SACX;AACL,YAAO,MAAM,iCAAiC,MAAM,OAAO;AAC3D;;IAIF,MAAM,gBAAgB,MAAM,cAAc,KAAK,OAAO,GAAG,aAAa;IAEtE,MAAM,gBAAgB,MAAM;AAE5B,QAAI,CAAC,gBAAgB,cAAc,EAAE;AACnC,YAAO,MACL,iCAAiC,cAAc,KAAK,KAAK,GAC1D;AACD;;AAIF,UAAM,kBAAkB;KACtB,eAAe,MAAM;KACrB;KACA;KACA,YAAY,KAAK,OAAO,UAAU;KAClC;KACD,CAAC;AAEF,WAAO,KACL,sDAAsD,MAAM,OAC7D;IAGD,MAAM,YAAY,MAAM;AACxB,UAAM,sBACJ;KACE,YAAY,MAAM;KAClB,cAAc,MAAM;KACpB,QAAQ,MAAM;KACd,OAAO;KACP,MAAM,MAAM;KACb,EACD,KAAK,OAAO,oBACb;YACM,OAAO;AACd,WAAO,MACL,2CAA2C,MAAM,KAAK,IACtD,MACD;AACD,QAAI,iBAAiB,MACnB,QAAO,MAAM,oBAAoB,MAAM,UAAU;;aAIjD,CAAC,MAAM,MAAM;AACf,UAAO,MACL,+DACD;AACD;aACS,CAAC,MAAM,MAAM;AACtB,UAAO,MACL,iEAAiE,MAAM,KAAK,GAC7E;AACD;aACS,MAAM,cAAc,WAAW,GAAG;AAC3C,UAAO,MACL,2EAA2E,MAAM,KAAK,GACvF;AACD;aACS,MAAM,WAAW,aAAa;AACvC,UAAO,MACL,gDAAgD,MAAM,KAAK,8BAA8B,MAAM,OAAO,GACvG;AACD;;;;AAMR,SAAS,gBAAgB,OAAkD;AACzE,KAAI,MAAM,WAAW,EAAG,QAAO;AAC/B,KAAI,IAAI,IAAI,MAAM,CAAC,SAAS,MAAM,OAChC,QAAO;AAET,KAAI,CAAC,MAAM,OAAO,MAAM,eAAe,SAAS,EAAkB,CAAC,CACjE,QAAO;AAET,QAAO;;;;;;;AC9KT,IAAa,oBAAb,cAAuC,gBAAgB;CACrD,yBAAkC;;;;CAKlC,mBACE,OACiC;AACjC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,gCAAgC,MAAM,aAAa;AAChE,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,+BAA+B,MAAM,aAAa;AAC/D,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,2BAA2B,MAAM,KAAK,YAAY,MAAM,OAAO,GAChE;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,gCAAgC,MAAM,aAAa;AAChE;;AAIF,MAAI,MAAM,QAAQ,MAAM,WAAW,aAAa;AAC9C,UAAO,KAAK,wCAAwC,MAAM,OAAO;AACjE,OAAI;IAEF,MAAM,aAAqB,UAAU,MAAM,KAAK;AAEhD,UAAM,iBAAiB,MAAM,MAAM,MAAM,KAAK,OAAO,UAAU;AAC/D,WAAO,KACL,qDAAqD,MAAM,OAC5D;AAGD,QAAI;AACF,YAAO,MACL,uCAAuC,MAAM,KAAK,QAAQ,WAAW,GACtE;AAED,sBACE,EACE,WAAW,CACT;MACE,IAAI;MACJ,MAAM,MAAM;MACZ,eAAe,EAAE;MAClB,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,YAAO,MACL,iDAAiD,MAAM,OACxD;aACM,eAAe;AACtB,YAAO,MACL,6CAA6C,MAAM,KAAK,IACxD,cACD;;IAKH,MAAM,YAAY,MAAM;AACxB,UAAM,sBACJ;KACE,YAAY,MAAM;KAClB,cAAc,MAAM;KACpB,QAAQ,MAAM;KACd,OAAO;KACP,MAAM,MAAM;KACb,EACD,KAAK,OAAO,oBACb;YACM,OAAO;AACd,WAAO,MACL,0CAA0C,MAAM,KAAK,IACrD,MACD;;aAGC,CAAC,MAAM,MAAM;AACf,UAAO,MACL,6DACD;AACD;aACS,MAAM,WAAW,aAAa;AACvC,UAAO,MACL,8CAA8C,MAAM,KAAK,8BAA8B,MAAM,OAAO,GACrG;AACD;;;;;;;;;;AC1HR,IAAa,yBAAb,MAAoC;;;;CAIlC,OAAO,cACL,QACA,kBAA2B,OACH;EACxB,MAAM,UAAU,IAAI,uBAAuB,QAAQ,gBAAgB;AAGnE,UAAQ,kBACN,6BACA,uBACD;AACD,UAAQ,kBAAkB,sBAAsB,iBAAiB;AACjE,UAAQ,kBAAkB,kBAAkB,aAAa;AACzD,UAAQ,kBACN,8BACA,wBACD;AACD,UAAQ,kBAAkB,uBAAuB,kBAAkB;AACnE,UAAQ,kBAAkB,wBAAwB,mBAAmB;AAErE,SAAO;;;;;CAMT,OAAO,4BACL,QACA,YACA,kBAA2B,OACH;EACxB,MAAM,UAAU,IAAI,uBAAuB,QAAQ,gBAAgB;AAEnE,OAAK,MAAM,kBAAkB,YAAY;GAEvC,MAAM,iBADY,IAAI,eAAe,OAAO,CACX,2BAA2B;AAE5D,QAAK,MAAM,gBAAgB,eACzB,SAAQ,kBAAkB,cAAc,eAAe;;AAI3D,SAAO;;;;;CAMT,OAAO,yBAAyB;AAC9B,SAAO;GACL;GACA;GACA;GACA;GACA;GACA;GACD;;;;;AClEL,MAAM,YAAY,WAAW;AAC7B,MAAM,sBAAsB,QAAQ,KAAK;AAEzC,IAAa,mBAAb,MAAoD;CAClD;CAEA,YAAY,kBAAkB,OAAO;AACnC,OAAK,UAAU,uBAAuB,cACpC;GACE;GACA;GACD,EACD,gBACD;AAED,MAAI,gBACF,QAAO,KAAK,6DAA6D;MAEzE,QAAO,MACL,8DACD;;CAIL,MAAM,aAAa,YAAmD;AACpE,SAAO,KAAK,kCAAkC;AAE9C,OAAK,MAAM,EAAE,aAAa,YAAY;GACpC,MAAM,YAAY,KAAK,QAAQ,aAAa,QAAQ,aAAa;AACjE,OAAI,CAAC,WAAW;AACd,WAAO,MACL,yCAAyC,QAAQ,eAClD;AACD;;GAGF,MAAM,QAAsB;IAC1B,YAAY,QAAQ;IACpB,cAAc,QAAQ;IACtB,OAAO,QAAQ;IACf,QAAQ,QAAQ;IAChB,OAAO,QAAQ,iBACX,KAAK,MAAM,QAAQ,eAAe,GAClC,KAAA;IACL;AAGD,OADsB,UAAU,cAAc,MAAM,CAElD,OAAM,KAAK,QAAQ,iBAAiB,MAAM;;;CAKhD,MAAM,eAAe;CAGrB,mBAA0B,SAAwB;AAChD,OAAK,QAAQ,mBAAmB,QAAQ;;CAG1C,gBAAgC;AAC9B,SAAO,KAAK,QAAQ,mBAAmB;;CAGzC,0BAA0C;AACxC,SAAO,KAAK,QAAQ,yBAAyB"}
@@ -1,3 +1,3 @@
1
- import { t as CodegenProcessor } from "../../codegen-DOq2xhy3.js";
1
+ import { t as CodegenProcessor } from "../../codegen-CHjjYNau.js";
2
2
  import "../../logger-BLNtquAC.js";
3
3
  export { CodegenProcessor };
@@ -1,4 +1,4 @@
1
- import { t as CodegenProcessor } from "../codegen-DOq2xhy3.js";
1
+ import { t as CodegenProcessor } from "../codegen-CHjjYNau.js";
2
2
  import { t as logger } from "../logger-BLNtquAC.js";
3
3
  import { VetraReadModelProcessor } from "./vetra-read-model/index.js";
4
4
  import { VETRA_PROCESSOR_CONFIG_KEY } from "@powerhousedao/config";
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@powerhousedao/vetra",
3
- "version": "6.0.0-dev.109",
3
+ "version": "6.0.0-dev.110",
4
4
  "license": "AGPL-3.0-only",
5
5
  "type": "module",
6
6
  "repository": {
@@ -52,15 +52,14 @@
52
52
  "zod": "4.3.6",
53
53
  "react": "19.2.4",
54
54
  "react-dom": "19.2.4",
55
- "@powerhousedao/common": "6.0.0-dev.109",
56
- "@powerhousedao/config": "6.0.0-dev.109",
57
- "@powerhousedao/design-system": "6.0.0-dev.109",
58
- "@powerhousedao/reactor-browser": "6.0.0-dev.109",
59
- "@powerhousedao/shared": "6.0.0-dev.109",
60
- "document-drive": "6.0.0-dev.109",
61
- "document-model": "6.0.0-dev.109",
62
- "@powerhousedao/builder-tools": "6.0.0-dev.109",
63
- "@powerhousedao/codegen": "6.0.0-dev.109"
55
+ "@powerhousedao/common": "6.0.0-dev.110",
56
+ "@powerhousedao/config": "6.0.0-dev.110",
57
+ "@powerhousedao/design-system": "6.0.0-dev.110",
58
+ "@powerhousedao/reactor-browser": "6.0.0-dev.110",
59
+ "@powerhousedao/shared": "6.0.0-dev.110",
60
+ "@powerhousedao/builder-tools": "6.0.0-dev.110",
61
+ "@powerhousedao/codegen": "6.0.0-dev.110",
62
+ "document-model": "6.0.0-dev.110"
64
63
  },
65
64
  "devDependencies": {
66
65
  "@tailwindcss/cli": "4.1.18",
@@ -1 +0,0 @@
1
- {"version":3,"file":"codegen-DOq2xhy3.js","names":[],"sources":["../processors/codegen/document-handlers/base-document-gen.ts","../processors/codegen/interactive-manager.ts","../processors/codegen/document-handlers/document-codegen-manager.ts","../processors/codegen/document-handlers/generators/utils.ts","../processors/codegen/document-handlers/generators/app-generator.ts","../processors/codegen/document-handlers/generators/document-editor-generator.ts","../processors/codegen/document-handlers/generators/document-model-generator.ts","../processors/codegen/document-handlers/generators/package-generator.ts","../processors/codegen/document-handlers/generators/processor-generator.ts","../processors/codegen/document-handlers/generators/subgraph-generator.ts","../processors/codegen/document-handlers/document-codegen-factory.ts","../processors/codegen/index.ts"],"sourcesContent":["import type { CodegenInput, Config } from \"./types.js\";\n\n/**\n * Abstract base class for document generators\n * Defines the interface that all document-type handlers must implement\n */\nexport abstract class BaseDocumentGen {\n /**\n * The document type(s) this generator supports\n * Can be a single string or an array of strings for generators that handle multiple types\n */\n abstract readonly supportedDocumentTypes: string | string[];\n\n constructor(protected config: Config) {}\n\n /**\n * Generate code for the given document\n * Must be implemented by each specific document generator\n */\n abstract generate(strand: CodegenInput): Promise<void>;\n\n /**\n * Check if this generator supports the given document type\n */\n supportsDocumentType(documentType: string): boolean {\n if (typeof this.supportedDocumentTypes === \"string\") {\n return this.supportedDocumentTypes === documentType;\n }\n return this.supportedDocumentTypes.includes(documentType);\n }\n\n /**\n * Get all supported document types as an array\n */\n getSupportedDocumentTypes(): string[] {\n if (typeof this.supportedDocumentTypes === \"string\") {\n return [this.supportedDocumentTypes];\n }\n return [...this.supportedDocumentTypes];\n }\n\n /**\n * Validate if this strand should be processed\n * Override this method in specific generators to add custom validation logic\n */\n shouldProcess(strand: CodegenInput): boolean {\n // Basic validation: ensure strand has required properties\n if (!strand.documentId || !strand.documentType) {\n return false;\n }\n\n // Basic validation: check if document type is supported\n if (!this.supportsDocumentType(strand.documentType)) {\n return false;\n }\n\n // Default to processing if basic validation passes\n return true;\n }\n}\n","import { createInterface } from \"readline\";\nimport type { CodegenInput } from \"./document-handlers/types.js\";\nimport { logger } from \"./logger.js\";\n\nexport interface QueuedStrand {\n strand: CodegenInput;\n timestamp: number;\n}\n\n/**\n * InteractiveManager handles user interaction for code generation confirmation\n * Supports both individual strand processing and queue-based batch processing\n */\nexport class InteractiveManager {\n private isInteractiveMode: boolean;\n private processingConfirmation = false;\n private strandQueue = new Map<string, QueuedStrand>();\n\n constructor(interactiveMode = false) {\n this.isInteractiveMode = interactiveMode;\n }\n\n private getDocumentKey(documentType: string, documentId: string): string {\n return `${documentType}:${documentId}`;\n }\n\n /**\n * Add a strand to the queue, replacing any existing strand for the same document\n */\n public queueStrand(strand: CodegenInput): void {\n const documentKey = this.getDocumentKey(\n strand.documentType,\n strand.documentId,\n );\n\n this.strandQueue.set(documentKey, {\n strand,\n timestamp: Date.now(),\n });\n\n logger.debug(\n `>>> Queued strand for ${documentKey}, queue size: ${this.strandQueue.size}`,\n );\n }\n\n /**\n * Get all queued strands\n */\n public getQueuedStrands(): QueuedStrand[] {\n return Array.from(this.strandQueue.values());\n }\n\n /**\n * Clear and return all queued strands\n */\n public clearQueue(): QueuedStrand[] {\n const queuedStrands = Array.from(this.strandQueue.values());\n this.strandQueue.clear();\n return queuedStrands;\n }\n\n /**\n * Get the current queue size\n */\n public getQueueSize(): number {\n return this.strandQueue.size;\n }\n\n private async promptUserConfirmation(): Promise<boolean> {\n return new Promise((resolve) => {\n const rl = createInterface({\n input: process.stdin,\n output: process.stdout,\n });\n\n console.log(\"\\n\" + \"=\".repeat(50));\n console.log(\"🔄 Code generation ready to run.\");\n console.log(\"=\".repeat(50));\n\n process.stdout.write(\n \"Do you want to proceed with code generation? (y/n): \\n\\n\",\n );\n\n rl.on(\"line\", (answer: string) => {\n rl.close();\n console.log(\"\"); // Add blank line after user input\n resolve(answer.toLowerCase() === \"y\" || answer.toLowerCase() === \"yes\");\n });\n });\n }\n\n /**\n * Process generation with user confirmation (legacy single-strand method)\n * This method assumes interactive mode is already enabled (checked by caller)\n */\n public async processWithConfirmation<T>(\n documentType: string,\n generator: () => Promise<T>,\n ): Promise<T | null> {\n if (this.processingConfirmation) {\n logger.debug(\"Already processing confirmation, skipping\");\n return null;\n }\n\n this.processingConfirmation = true;\n\n try {\n // Always prompt user since this method only called in interactive mode\n const shouldProceed = await this.promptUserConfirmation();\n\n if (!shouldProceed) {\n logger.info(`❌ Code generation cancelled by user for ${documentType}`);\n return null;\n }\n\n logger.info(`✅ User approved code generation for ${documentType}`);\n\n const result = await generator();\n return result;\n } catch (error) {\n logger.error(\n `❌ Error during interactive code generation for ${documentType}:`,\n error,\n );\n throw error;\n } finally {\n this.processingConfirmation = false;\n }\n }\n\n /**\n * Process all queued strands with a single user confirmation\n * This is the main method for queue-based interactive processing\n */\n public async processQueueWithConfirmation(\n processor: (strands: QueuedStrand[]) => Promise<void>,\n ): Promise<void> {\n if (this.processingConfirmation) {\n logger.debug(\n \"Already processing confirmation, skipping queue processing\",\n );\n return;\n }\n\n // Check if there are any strands to process\n let queuedStrands = this.getQueuedStrands();\n if (queuedStrands.length === 0) {\n logger.debug(\"No strands in queue to process\");\n return;\n }\n\n this.processingConfirmation = true;\n\n try {\n // Prompt user for confirmation\n const shouldProceed = await this.promptUserConfirmation();\n\n if (!shouldProceed) {\n logger.info(\"❌ Code generation cancelled by user\");\n // Clear the queue since user cancelled\n this.clearQueue();\n return;\n }\n\n // Get and clear the final queue state right before processing\n // (in case new strands were added while waiting for user input)\n queuedStrands = this.clearQueue();\n if (queuedStrands.length === 0) {\n logger.info(\"ℹ️ No documents to process\");\n return;\n }\n\n logger.info(\n `✅ User approved code generation for ${queuedStrands.length} document(s)`,\n );\n\n // Process all queued strands\n await processor(queuedStrands);\n logger.info(\"✅ Code generation completed\");\n } catch (error) {\n logger.error(\"❌ Error during interactive queue processing:\", error);\n throw error;\n } finally {\n this.processingConfirmation = false;\n }\n }\n\n public setInteractiveMode(enabled: boolean): void {\n this.isInteractiveMode = enabled;\n logger.debug(`Interactive mode set to: ${enabled}`);\n }\n\n public isInteractive(): boolean {\n return this.isInteractiveMode;\n }\n\n public isProcessing(): boolean {\n return this.processingConfirmation;\n }\n}\n","import type { QueuedStrand } from \"../interactive-manager.js\";\nimport { InteractiveManager } from \"../interactive-manager.js\";\nimport { logger } from \"../logger.js\";\nimport type { BaseDocumentGen } from \"./base-document-gen.js\";\nimport type { CodegenInput, Config } from \"./types.js\";\n\nconst DEFAULT_DEBOUNCE_TIME = 3000; // 3 seconds\n\n/**\n * Manager class responsible for routing documents to the correct generator\n * and managing generator registration and instantiation\n */\nexport class DocumentCodegenManager {\n private generators = new Map<string, BaseDocumentGen>();\n private debounceTimers = new Map<string, NodeJS.Timeout>();\n private processingQueue: Promise<void> = Promise.resolve();\n private interactiveManager: InteractiveManager;\n\n constructor(\n private config: Config,\n interactiveMode = false,\n ) {\n this.interactiveManager = new InteractiveManager(interactiveMode);\n }\n\n /**\n * Register a generator class for a specific document type\n */\n registerGenerator(\n documentType: string,\n generatorClass: new (config: Config) => BaseDocumentGen,\n ): void {\n if (this.generators.has(documentType)) {\n logger.warn(\n `⚠️ Generator for document type \"${documentType}\" is already registered. Overwriting.`,\n );\n }\n\n this.generators.set(documentType, new generatorClass(this.config));\n logger.debug(`✅ Registered generator for document type: ${documentType}`);\n }\n\n /**\n * Register a generator class that supports multiple document types\n */\n registerMultiTypeGenerator(\n generatorClass: new (config: Config) => BaseDocumentGen,\n ): void {\n const generator = new generatorClass(this.config);\n const supportedTypes = generator.getSupportedDocumentTypes();\n\n for (const documentType of supportedTypes) {\n if (this.generators.has(documentType)) {\n logger.warn(\n `⚠️ Generator for document type \"${documentType}\" is already registered. Overwriting.`,\n );\n }\n this.generators.set(documentType, generator);\n }\n\n logger.debug(\n `✅ Registered multi-type generator for document types: ${supportedTypes.join(\", \")}`,\n );\n }\n\n /**\n * Get a generator instance for the given document type\n * Public method to allow external access for validation\n */\n public getGenerator(documentType: string): BaseDocumentGen | undefined {\n return this.generators.get(documentType);\n }\n\n /**\n * Get all registered document types\n */\n getRegisteredDocumentTypes(): string[] {\n return Array.from(this.generators.keys());\n }\n\n /**\n * Check if a document type is supported\n */\n isDocumentTypeSupported(documentType: string): boolean {\n return this.generators.has(documentType);\n }\n\n /**\n * Route a document to the appropriate generator and handle the generation\n * Handles both interactive and non-interactive modes with queue-based processing\n */\n async routeAndGenerate(strand: CodegenInput): Promise<void> {\n const documentType = strand.documentType;\n\n if (!documentType) {\n logger.error(\"❌ Document type is missing from strand state\");\n throw new Error(\"Document type is missing from strand state\");\n }\n\n const generator = this.getGenerator(documentType);\n\n if (!generator) {\n logger.warn(`⚠️ No generator found for document type: ${documentType}`);\n logger.warn(\n `ℹ️ Supported document types: ${this.getRegisteredDocumentTypes().join(\", \")}`,\n );\n throw new Error(`Unsupported document type: ${documentType}`);\n }\n\n // Validate if this strand should be processed\n if (!generator.shouldProcess(strand)) {\n logger.debug(\n `>>> Generator validation failed for ${documentType}:${strand.documentId}, skipping processing`,\n );\n return;\n }\n\n // Different flow for interactive vs non-interactive mode\n if (this.interactiveManager.isInteractive()) {\n // Interactive mode: queue strands and use debounce timer to trigger batch processing\n logger.debug(\n `>>> Queueing strand for interactive processing: ${documentType}:${strand.documentId}`,\n );\n\n // Add strand to queue (will replace any existing strand for same document)\n this.interactiveManager.queueStrand(strand);\n\n // Clear any existing debounce timer for interactive processing\n const existingTimer = this.debounceTimers.get(\"interactive\");\n if (existingTimer) {\n clearTimeout(existingTimer);\n }\n\n // Set up debounce timer for batch interactive processing\n // eslint-disable-next-line @typescript-eslint/no-misused-promises\n const debounceTimer = setTimeout(async () => {\n try {\n await this.interactiveManager.processQueueWithConfirmation(\n async (queuedStrands: QueuedStrand[]) => {\n await this.processQueuedStrands(queuedStrands);\n },\n );\n } catch (error) {\n logger.error(\"❌ Error during interactive batch processing:\", error);\n } finally {\n // Clean up the timer reference\n this.debounceTimers.delete(\"interactive\");\n }\n }, DEFAULT_DEBOUNCE_TIME);\n\n // Store the timer reference using 'interactive' key\n this.debounceTimers.set(\"interactive\", debounceTimer);\n } else {\n // Non-interactive mode: use debouncing per document instance\n // Create unique key for this specific document instance\n const timerKey = `${documentType}:${strand.documentId}`;\n\n // Clear any existing debounce timer for this document instance\n const existingTimer = this.debounceTimers.get(timerKey);\n if (existingTimer) {\n clearTimeout(existingTimer);\n }\n\n // Set up new debounced generation (no interactive confirmation)\n // eslint-disable-next-line @typescript-eslint/no-misused-promises\n const debounceTimer = setTimeout(async () => {\n try {\n logger.debug(\n `🔄 Routing document type \"${documentType}\" to generator (debounced)`,\n );\n\n // Direct generation, no interactive confirmation\n await generator.generate(strand);\n logger.debug(\n `✅ Successfully generated code for document type: ${documentType}`,\n );\n } catch (error) {\n logger.error(\n `❌ Error generating code for document type \"${documentType}\":`,\n error,\n );\n // Don't throw - let codegen continue with other documents\n } finally {\n // Clean up the timer reference\n this.debounceTimers.delete(documentType);\n }\n }, DEFAULT_DEBOUNCE_TIME);\n\n // Store the timer reference\n this.debounceTimers.set(timerKey, debounceTimer);\n }\n }\n\n /**\n * Process multiple strands in priority order (document-model types first)\n */\n private async processQueuedStrands(\n queuedStrands: QueuedStrand[],\n ): Promise<void> {\n logger.debug(`🔄 Processing ${queuedStrands.length} queued strand(s)`);\n\n // Sort by priority (document-model first to ensure dependencies exist)\n const documentModelStrands = queuedStrands.filter(\n (qs: QueuedStrand) =>\n qs.strand.documentType === \"powerhouse/document-model\",\n );\n const otherStrands = queuedStrands.filter(\n (qs: QueuedStrand) =>\n qs.strand.documentType !== \"powerhouse/document-model\",\n );\n\n // Process document models first\n for (const queuedStrand of documentModelStrands) {\n await this.processStrand(queuedStrand.strand);\n }\n\n // Then process other document types\n for (const queuedStrand of otherStrands) {\n await this.processStrand(queuedStrand.strand);\n }\n\n logger.debug(\n `✅ Successfully processed all ${queuedStrands.length} queued strand(s)`,\n );\n }\n\n /**\n * Process a single strand (used internally by processQueuedStrands)\n */\n private async processStrand(strand: CodegenInput): Promise<void> {\n const documentType = strand.documentType;\n const generator = this.getGenerator(documentType);\n\n if (!generator) {\n logger.warn(`⚠️ No generator found for document type: ${documentType}`);\n return;\n }\n\n try {\n logger.debug(`🔄 Generating code for document type: ${documentType}`);\n await generator.generate(strand);\n logger.debug(\n `✅ Successfully generated code for document type: ${documentType}`,\n );\n } catch (error) {\n logger.error(\n `❌ Error generating code for document type \"${documentType}\":`,\n error,\n );\n // Don't throw here to allow other strands to be processed\n }\n }\n\n /**\n * Clear all registered generators\n */\n clearGenerators(): void {\n this.generators.clear();\n logger.debug(\"🧹 Cleared all registered generators\");\n }\n\n /**\n * Get statistics about registered generators\n */\n getStats(): { totalGenerators: number; supportedTypes: string[] } {\n return {\n totalGenerators: this.generators.size,\n supportedTypes: this.getRegisteredDocumentTypes(),\n };\n }\n\n /**\n * Set interactive mode for code generation\n */\n setInteractiveMode(enabled: boolean): void {\n this.interactiveManager.setInteractiveMode(enabled);\n }\n\n /**\n * Check if interactive mode is enabled\n */\n isInteractiveMode(): boolean {\n return this.interactiveManager.isInteractive();\n }\n\n /**\n * Check if the manager is currently processing an interactive confirmation\n */\n isProcessingInteractive(): boolean {\n return this.interactiveManager.isProcessing();\n }\n}\n","import type {\n MinimalBackupData,\n PHDocument,\n} from \"@powerhousedao/shared/document-model\";\nimport { baseMinimalSaveToFile, baseSaveToFile } from \"document-model/node\";\nimport { mkdir } from \"fs/promises\";\nimport { join } from \"path\";\nimport { logger } from \"../../logger.js\";\n\nconst BACKUP_FOLDER = \"backup-documents\";\n\n/**\n * Exports a document to the backup directory.\n * Creates the backup directory if it doesn't exist.\n *\n * @param document - The document to backup\n * @param workingDir - Current working directory\n * @param extension - File extension for the document type (without dot)\n * @param name - Name of the document to use for the backup file (optional)\n * @returns Promise resolving to the backup file path, or undefined if backup failed\n */\nexport async function backupDocument(\n document: PHDocument,\n workingDir: string,\n extension: string = \"\",\n name?: string,\n): Promise<string | undefined> {\n const docName = name ?? document.header.name;\n\n try {\n const backupPath = join(workingDir, BACKUP_FOLDER);\n await mkdir(backupPath, { recursive: true });\n\n const filePath = await baseSaveToFile(\n document,\n backupPath,\n extension,\n docName,\n );\n\n logger.debug(`📁 Document backed up to: ${filePath}`);\n return filePath;\n } catch (error) {\n logger.warn(`⚠️ Failed to backup document \"${docName}\":`, error);\n return undefined;\n }\n}\n\n/**\n * Creates a minimal backup of a document from strand data.\n * Used when the full document is not available (e.g., in onOperations handler).\n */\nexport async function minimalBackupDocument(\n data: MinimalBackupData,\n workingDir: string,\n extension?: string,\n): Promise<string | undefined> {\n try {\n const backupPath = join(workingDir, BACKUP_FOLDER);\n await mkdir(backupPath, { recursive: true });\n\n const filePath = await baseMinimalSaveToFile(\n data,\n backupPath,\n extension ?? \"\",\n );\n\n logger.debug(`Document backed up to: ${filePath}`);\n return filePath;\n } catch (error) {\n logger.warn(`Failed to backup document \"${data.name}\":`, error);\n return undefined;\n }\n}\n","import { generateDriveEditor, generateManifest } from \"@powerhousedao/codegen\";\nimport type {\n AppModuleGlobalState,\n AppModulePHState,\n} from \"@powerhousedao/vetra/document-models/app-module\";\nimport { kebabCase } from \"change-case\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { USE_TS_MORPH } from \"./constants.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for app documents\n */\nexport class AppGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/app\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): AppModuleGlobalState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as AppModulePHState;\n return fullState.global;\n }\n\n /**\n * Validate if this app strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for app: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid app name and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for app: ${input.documentId}`);\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `App not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for app: ${input.documentId}`);\n return;\n }\n\n // Check if we have a valid app name and it's confirmed\n if (state.name && state.status === \"CONFIRMED\") {\n logger.info(`🔄 Starting drive editor generation for app: ${state.name}`);\n try {\n // Generate app ID using kebabCase\n const appId: string = kebabCase(state.name);\n // Generate the drive editor using the codegen function\n await generateDriveEditor({\n ...this.config.PH_CONFIG,\n driveEditorName: state.name,\n driveEditorId: appId,\n allowedDocumentTypes: state.allowedDocumentTypes ?? [],\n isDragAndDropEnabled: state.isDragAndDropEnabled,\n useTsMorph: USE_TS_MORPH,\n });\n\n logger.info(\n `✅ Drive editor generation completed successfully for app: ${state.name}`,\n );\n\n // Update the manifest with the new app\n try {\n logger.debug(\n `🔄 Updating manifest with app: ${state.name} (ID: ${appId})`,\n );\n\n generateManifest(\n {\n apps: [\n {\n id: appId,\n name: state.name,\n driveEditor: appId,\n } as any,\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for app: ${state.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for app ${state.name}:`,\n manifestError,\n );\n // Don't throw here - drive editor generation was successful\n }\n\n // Backup the document\n const fullState = input.state as AppModulePHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during drive editor generation for app ${state.name}:`,\n error,\n );\n if (error instanceof Error) {\n logger.error(`❌ Error message: ${error.message}`);\n }\n }\n } else {\n if (!state.name) {\n logger.error(\n `❌ Skipping drive editor generation - missing name for app`,\n );\n return;\n } else if (state.status !== \"CONFIRMED\") {\n logger.error(\n `❌ Skipping drive editor generation - app \"${state.name}\" is not confirmed (status: ${state.status})`,\n );\n return;\n }\n }\n }\n}\n","import { generateEditor, generateManifest } from \"@powerhousedao/codegen\";\nimport { kebabCase } from \"change-case\";\nimport type {\n DocumentEditorPHState,\n DocumentEditorState,\n} from \"../../../../document-models/document-editor/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { USE_TS_MORPH } from \"./constants.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for document editor documents\n */\nexport class DocumentEditorGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/document-editor\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): DocumentEditorState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as DocumentEditorPHState;\n return fullState.global;\n }\n\n /**\n * Validate if this document editor strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for document editor: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid editor name, document types, and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for document editor: ${input.documentId}`);\n return false;\n }\n\n if (!state.documentTypes || state.documentTypes.length === 0) {\n logger.debug(\n `No document types found for document editor: ${state.name}`,\n );\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `Document editor not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for document editor: ${input.documentId}`);\n return;\n }\n\n // Validation is already done in shouldProcess, so we can proceed directly\n logger.info(`🔄 Starting editor generation for: ${state.name}`);\n try {\n // Extract document types from the state\n const documentTypes = state.documentTypes.map((dt) => dt.documentType);\n\n // Generate editor ID using kebabCase\n const editorId: string = kebabCase(state.name);\n\n // Generate the editor using the codegen function\n await generateEditor({\n ...this.config.PH_CONFIG,\n editorName: state.name,\n documentTypes: documentTypes,\n editorId: editorId,\n useTsMorph: USE_TS_MORPH,\n });\n\n logger.info(\n `✅ Editor generation completed successfully for: ${state.name}`,\n );\n\n // Update the manifest with the new editor\n try {\n logger.debug(\n `🔄 Updating manifest with editor: ${state.name} (ID: ${editorId})`,\n );\n\n generateManifest(\n {\n editors: [\n {\n id: editorId,\n name: state.name,\n documentTypes: documentTypes,\n },\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for editor: ${state.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for editor ${state.name}:`,\n manifestError,\n );\n // Don't throw here - editor generation was successful\n }\n\n // Backup the document\n const fullState = input.state as DocumentEditorPHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during editor generation for ${state.name}:`,\n error,\n );\n if (error instanceof Error) {\n logger.error(`❌ Error message: ${error.message}`);\n }\n // Don't throw - let codegen continue with other documents\n return;\n }\n }\n}\n","import {\n generateFromDocument,\n generateManifest,\n validateDocumentModelState,\n} from \"@powerhousedao/codegen\";\nimport type {\n DocumentModelGlobalState,\n DocumentModelPHState,\n} from \"@powerhousedao/shared/document-model\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { USE_TS_MORPH, USE_VERSIONING } from \"./constants.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for document model documents\n */\nexport class DocumentModelGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/document-model\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): DocumentModelGlobalState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as DocumentModelPHState;\n return fullState.global;\n }\n\n /**\n * Validate if this document model strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n // Extract the global state from the full document state\n const globalState = this.extractGlobalState(input);\n if (!globalState) {\n logger.debug(\n `>>> No global state found for document model: ${input.documentId}`,\n );\n return false;\n }\n\n const validationResult = validateDocumentModelState(globalState);\n if (!validationResult.isValid) {\n const errorList = validationResult.errors\n .map((error) => ` - ${error}`)\n .join(\"\\n\");\n logger.info(\n `⚠️ Skipped code generation for '${globalState.name || input.documentId}' due to validation errors:\\n${errorList}`,\n );\n return false;\n }\n\n logger.info(\n `Document model ${globalState.name} is valid, proceeding with code generation`,\n );\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const globalState = this.extractGlobalState(input);\n if (!globalState) {\n logger.error(\n `❌ No global state found for document model: ${input.documentId}`,\n );\n return;\n }\n // Validation is already done in shouldProcess, so we can proceed directly\n logger.debug(\n `🔄 Starting code generation for document model: ${globalState.name}`,\n );\n try {\n await generateFromDocument({\n documentModelState: globalState,\n config: this.config.PH_CONFIG,\n useTsMorph: USE_TS_MORPH,\n useVersioning: USE_VERSIONING,\n });\n logger.info(\n `✅ Code generation completed successfully for: ${globalState.name}`,\n );\n\n // Update the manifest with the new document model\n try {\n logger.debug(\n `🔄 Updating manifest with document model: ${globalState.name} (ID: ${globalState.id})`,\n );\n\n generateManifest(\n {\n documentModels: [\n {\n id: globalState.id,\n name: globalState.name,\n },\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for document model: ${globalState.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for document model ${globalState.name}:`,\n manifestError,\n );\n // Don't throw here - code generation was successful\n }\n\n // Backup the document\n const fullState = input.state as DocumentModelPHState;\n const extension = globalState.extension?.replace(/^\\.+|\\.+$/g, \"\") || \"\";\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: globalState.name,\n },\n this.config.CURRENT_WORKING_DIR,\n extension,\n );\n } catch (error) {\n logger.error(\n `❌ Error during code generation for ${globalState.name}:`,\n error,\n );\n // Don't throw - let codegen continue with other documents\n return;\n }\n }\n}\n","import { generateManifest } from \"@powerhousedao/codegen\";\nimport type {\n VetraPackagePHState,\n VetraPackageState,\n} from \"../../../../document-models/vetra-package/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for package documents\n */\nexport class PackageGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/package\";\n\n /**\n * Validate if this package strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n if (!input.state) {\n logger.debug(`>>> No state found for package: ${input.documentId}`);\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const fullState = input.state as VetraPackagePHState;\n const state = fullState as unknown as VetraPackageState;\n\n logger.info(\"🔄 Generating manifest for package\");\n generateManifest(\n {\n name: state.name ?? \"\",\n category: state.category ?? \"\",\n description: state.description ?? \"\",\n publisher: {\n name: state.author?.name ?? \"\",\n url: state.author?.website ?? \"\",\n },\n },\n this.config.CURRENT_WORKING_DIR,\n );\n logger.info(\"✅ Manifest generated successfully\");\n\n // Backup the document\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: \"vetra-package\",\n },\n this.config.CURRENT_WORKING_DIR,\n );\n }\n}\n","import { generateProcessor } from \"@powerhousedao/codegen\";\nimport {\n PROCESSOR_APPS,\n type ProcessorApp,\n type ProcessorApps,\n} from \"@powerhousedao/shared/processors\";\nimport type {\n ProcessorModulePHState,\n ProcessorModuleState,\n} from \"../../../../document-models/processor-module/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { USE_TS_MORPH } from \"./constants.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for processor documents\n */\nexport class ProcessorGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/processor\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): ProcessorModuleState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as ProcessorModulePHState;\n return fullState.global;\n }\n\n /**\n * Validate if this processor strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for processor: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid processor name, type, document types, and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for processor: ${input.documentId}`);\n return false;\n }\n\n if (!state.type) {\n logger.debug(`No type found for processor: ${state.name}`);\n return false;\n }\n\n if (!state.documentTypes || state.documentTypes.length === 0) {\n logger.debug(`No document types found for processor: ${state.name}`);\n return false;\n }\n\n if (!state.processorApps || state.processorApps.length === 0) {\n logger.debug(`No processor apps found for processor: ${state.name}`);\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `Processor not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for processor: ${input.documentId}`);\n return;\n }\n\n // Check if we have a valid processor name, type, document types, and it's confirmed\n if (\n state.name &&\n state.type &&\n state.documentTypes.length > 0 &&\n state.processorApps.length > 0 &&\n state.status === \"CONFIRMED\"\n ) {\n logger.info(`🔄 Starting processor generation for: ${state.name}`);\n try {\n // Map the type value from document state to generateProcessor expected values\n let processorType: \"analytics\" | \"relationalDb\";\n if (state.type === \"analytics\") {\n processorType = \"analytics\";\n } else if (state.type === \"relational\") {\n processorType = \"relationalDb\";\n } else {\n logger.error(`❌ Unsupported processor type: ${state.type}`);\n return;\n }\n\n // Extract document types from the state\n const documentTypes = state.documentTypes.map((dt) => dt.documentType);\n\n const processorApps = state.processorApps;\n\n if (!isProcessorApps(processorApps)) {\n logger.error(\n `❌ Unsupported processor apps: ${processorApps.join(\", \")}`,\n );\n return;\n }\n\n // Generate the processor using the codegen function\n await generateProcessor({\n processorName: state.name,\n processorType,\n documentTypes,\n skipFormat: this.config.PH_CONFIG.skipFormat,\n useTsMorph: USE_TS_MORPH,\n processorApps,\n });\n\n logger.info(\n `✅ Processor generation completed successfully for: ${state.name}`,\n );\n\n // Backup the document\n const fullState = input.state as ProcessorModulePHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during processor generation for ${state.name}:`,\n error,\n );\n if (error instanceof Error) {\n logger.error(`❌ Error message: ${error.message}`);\n }\n }\n } else {\n if (!state.name) {\n logger.error(\n `❌ Skipping processor generation - missing name for processor`,\n );\n return;\n } else if (!state.type) {\n logger.error(\n `❌ Skipping processor generation - missing type for processor \"${state.name}\"`,\n );\n return;\n } else if (state.documentTypes.length === 0) {\n logger.error(\n `❌ Skipping processor generation - missing document types for processor \"${state.name}\"`,\n );\n return;\n } else if (state.status !== \"CONFIRMED\") {\n logger.error(\n `❌ Skipping processor generation - processor \"${state.name}\" is not confirmed (status: ${state.status})`,\n );\n return;\n }\n }\n }\n}\n\nfunction isProcessorApps(input: readonly string[]): input is ProcessorApps {\n if (input.length === 0) return false;\n if (new Set(input).size !== input.length) {\n return false;\n }\n if (!input.every((i) => PROCESSOR_APPS.includes(i as ProcessorApp)))\n return false;\n\n return true;\n}\n","import { generateManifest, generateSubgraph } from \"@powerhousedao/codegen\";\nimport { kebabCase } from \"change-case\";\nimport type {\n SubgraphModulePHState,\n SubgraphModuleState,\n} from \"../../../../document-models/subgraph-module/index.js\";\nimport { logger } from \"../../logger.js\";\nimport { BaseDocumentGen } from \"../base-document-gen.js\";\nimport type { CodegenInput } from \"../types.js\";\nimport { minimalBackupDocument } from \"./utils.js\";\n\n/**\n * Generator for subgraph documents\n */\nexport class SubgraphGenerator extends BaseDocumentGen {\n readonly supportedDocumentTypes = \"powerhouse/subgraph\";\n\n /**\n * Parse and extract the global state from the serialized state string\n */\n private extractGlobalState(\n input: CodegenInput,\n ): SubgraphModuleState | undefined {\n if (!input.state) {\n return undefined;\n }\n const fullState = input.state as SubgraphModulePHState;\n return fullState.global;\n }\n\n /**\n * Validate if this subgraph strand should be processed\n */\n shouldProcess(input: CodegenInput): boolean {\n // First run base validation\n if (!super.shouldProcess(input)) {\n return false;\n }\n\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.debug(`No state found for subgraph: ${input.documentId}`);\n return false;\n }\n\n // Check if we have a valid subgraph name and it's confirmed\n if (!state.name) {\n logger.debug(`No name found for subgraph: ${input.documentId}`);\n return false;\n }\n\n if (state.status !== \"CONFIRMED\") {\n logger.debug(\n `Subgraph not confirmed: ${state.name} (status: ${state.status})`,\n );\n return false;\n }\n\n return true;\n }\n\n async generate(input: CodegenInput): Promise<void> {\n const state = this.extractGlobalState(input);\n if (!state) {\n logger.error(`No state found for subgraph: ${input.documentId}`);\n return;\n }\n\n // Check if we have a valid subgraph name and it's confirmed\n if (state.name && state.status === \"CONFIRMED\") {\n logger.info(`🔄 Starting subgraph generation for: ${state.name}`);\n try {\n // Generate subgraph ID using kebabCase\n const subgraphId: string = kebabCase(state.name);\n\n await generateSubgraph(state.name, null, this.config.PH_CONFIG);\n logger.info(\n `✅ Subgraph generation completed successfully for: ${state.name}`,\n );\n\n // Update the manifest with the new subgraph\n try {\n logger.debug(\n `🔄 Updating manifest with subgraph: ${state.name} (ID: ${subgraphId})`,\n );\n\n generateManifest(\n {\n subgraphs: [\n {\n id: subgraphId,\n name: state.name,\n documentTypes: [],\n },\n ],\n },\n this.config.CURRENT_WORKING_DIR,\n );\n\n logger.debug(\n `✅ Manifest updated successfully for subgraph: ${state.name}`,\n );\n } catch (manifestError) {\n logger.error(\n `⚠️ Failed to update manifest for subgraph ${state.name}:`,\n manifestError,\n );\n // Don't throw here - subgraph generation was successful\n }\n\n // Backup the document\n const fullState = input.state as SubgraphModulePHState;\n await minimalBackupDocument(\n {\n documentId: input.documentId,\n documentType: input.documentType,\n branch: input.branch,\n state: fullState,\n name: state.name,\n },\n this.config.CURRENT_WORKING_DIR,\n );\n } catch (error) {\n logger.error(\n `❌ Error during subgraph generation for ${state.name}:`,\n error,\n );\n }\n } else {\n if (!state.name) {\n logger.error(\n `❌ Skipping subgraph generation - missing name for subgraph`,\n );\n return;\n } else if (state.status !== \"CONFIRMED\") {\n logger.error(\n `❌ Skipping subgraph generation - subgraph \"${state.name}\" is not confirmed (status: ${state.status})`,\n );\n return;\n }\n }\n }\n}\n","import type { BaseDocumentGen } from \"./base-document-gen.js\";\nimport { DocumentCodegenManager } from \"./document-codegen-manager.js\";\nimport {\n AppGenerator,\n DocumentEditorGenerator,\n DocumentModelGenerator,\n PackageGenerator,\n ProcessorGenerator,\n SubgraphGenerator,\n} from \"./generators/index.js\";\nimport type { Config } from \"./types.js\";\n\n/**\n * Factory class for creating and configuring DocumentCodegenManager instances\n * with all the standard generators pre-registered\n */\nexport class DocumentCodegenFactory {\n /**\n * Create a DocumentCodegenManager with all standard generators registered\n */\n static createManager(\n config: Config,\n interactiveMode: boolean = false,\n ): DocumentCodegenManager {\n const manager = new DocumentCodegenManager(config, interactiveMode);\n\n // Register all the standard generators\n manager.registerGenerator(\n \"powerhouse/document-model\",\n DocumentModelGenerator,\n );\n manager.registerGenerator(\"powerhouse/package\", PackageGenerator);\n manager.registerGenerator(\"powerhouse/app\", AppGenerator);\n manager.registerGenerator(\n \"powerhouse/document-editor\",\n DocumentEditorGenerator,\n );\n manager.registerGenerator(\"powerhouse/subgraph\", SubgraphGenerator);\n manager.registerGenerator(\"powerhouse/processor\", ProcessorGenerator);\n\n return manager;\n }\n\n /**\n * Create a DocumentCodegenManager with only specific generators\n */\n static createManagerWithGenerators(\n config: Config,\n generators: Array<new (config: Config) => any>,\n interactiveMode: boolean = false,\n ): DocumentCodegenManager {\n const manager = new DocumentCodegenManager(config, interactiveMode);\n\n for (const generatorClass of generators) {\n const generator = new generatorClass(config) as BaseDocumentGen;\n const supportedTypes = generator.getSupportedDocumentTypes();\n\n for (const documentType of supportedTypes) {\n manager.registerGenerator(documentType, generatorClass);\n }\n }\n\n return manager;\n }\n\n /**\n * Get all available generator classes\n */\n static getAvailableGenerators() {\n return {\n DocumentModelGenerator,\n PackageGenerator,\n AppGenerator,\n DocumentEditorGenerator,\n SubgraphGenerator,\n ProcessorGenerator,\n };\n }\n}\n","import { getConfig } from \"@powerhousedao/config/node\";\nimport type {\n IProcessor,\n OperationWithContext,\n} from \"@powerhousedao/reactor-browser\";\nimport type { DocumentCodegenManager } from \"./document-handlers/document-codegen-manager.js\";\nimport { DocumentCodegenFactory } from \"./document-handlers/index.js\";\nimport type { CodegenInput } from \"./document-handlers/types.js\";\nimport { logger } from \"./logger.js\";\n\nconst PH_CONFIG = getConfig();\nconst CURRENT_WORKING_DIR = process.cwd();\n\nexport class CodegenProcessor implements IProcessor {\n private manager: DocumentCodegenManager;\n\n constructor(interactiveMode = false) {\n this.manager = DocumentCodegenFactory.createManager(\n {\n PH_CONFIG,\n CURRENT_WORKING_DIR,\n },\n interactiveMode,\n );\n\n if (interactiveMode) {\n logger.info(`CodegenProcessor initialized with interactive mode enabled`);\n } else {\n logger.debug(\n `CodegenProcessor initialized with interactive mode disabled`,\n );\n }\n }\n\n async onOperations(operations: OperationWithContext[]): Promise<void> {\n logger.info(\"CodegenProcessor.onOperations()\");\n\n for (const { context } of operations) {\n const generator = this.manager.getGenerator(context.documentType);\n if (!generator) {\n logger.debug(\n `No generator found for document type: ${context.documentType}`,\n );\n continue;\n }\n\n const input: CodegenInput = {\n documentId: context.documentId,\n documentType: context.documentType,\n scope: context.scope,\n branch: context.branch,\n state: context.resultingState\n ? JSON.parse(context.resultingState)\n : undefined,\n };\n\n const shouldProcess = generator.shouldProcess(input);\n if (shouldProcess) {\n await this.manager.routeAndGenerate(input);\n }\n }\n }\n\n async onDisconnect() {}\n\n // Utility methods for external configuration and monitoring\n public setInteractiveMode(enabled: boolean): void {\n this.manager.setInteractiveMode(enabled);\n }\n\n public isInteractive(): boolean {\n return this.manager.isInteractiveMode();\n }\n\n public isProcessingInteractive(): boolean {\n return this.manager.isProcessingInteractive();\n }\n}\n"],"mappings":";;;;;;;;;;;;;;AAMA,IAAsB,kBAAtB,MAAsC;CAOpC,YAAY,QAA0B;AAAhB,OAAA,SAAA;;;;;CAWtB,qBAAqB,cAA+B;AAClD,MAAI,OAAO,KAAK,2BAA2B,SACzC,QAAO,KAAK,2BAA2B;AAEzC,SAAO,KAAK,uBAAuB,SAAS,aAAa;;;;;CAM3D,4BAAsC;AACpC,MAAI,OAAO,KAAK,2BAA2B,SACzC,QAAO,CAAC,KAAK,uBAAuB;AAEtC,SAAO,CAAC,GAAG,KAAK,uBAAuB;;;;;;CAOzC,cAAc,QAA+B;AAE3C,MAAI,CAAC,OAAO,cAAc,CAAC,OAAO,aAChC,QAAO;AAIT,MAAI,CAAC,KAAK,qBAAqB,OAAO,aAAa,CACjD,QAAO;AAIT,SAAO;;;;;;;;;AC5CX,IAAa,qBAAb,MAAgC;CAC9B;CACA,yBAAiC;CACjC,8BAAsB,IAAI,KAA2B;CAErD,YAAY,kBAAkB,OAAO;AACnC,OAAK,oBAAoB;;CAG3B,eAAuB,cAAsB,YAA4B;AACvE,SAAO,GAAG,aAAa,GAAG;;;;;CAM5B,YAAmB,QAA4B;EAC7C,MAAM,cAAc,KAAK,eACvB,OAAO,cACP,OAAO,WACR;AAED,OAAK,YAAY,IAAI,aAAa;GAChC;GACA,WAAW,KAAK,KAAK;GACtB,CAAC;AAEF,SAAO,MACL,yBAAyB,YAAY,gBAAgB,KAAK,YAAY,OACvE;;;;;CAMH,mBAA0C;AACxC,SAAO,MAAM,KAAK,KAAK,YAAY,QAAQ,CAAC;;;;;CAM9C,aAAoC;EAClC,MAAM,gBAAgB,MAAM,KAAK,KAAK,YAAY,QAAQ,CAAC;AAC3D,OAAK,YAAY,OAAO;AACxB,SAAO;;;;;CAMT,eAA8B;AAC5B,SAAO,KAAK,YAAY;;CAG1B,MAAc,yBAA2C;AACvD,SAAO,IAAI,SAAS,YAAY;GAC9B,MAAM,KAAK,gBAAgB;IACzB,OAAO,QAAQ;IACf,QAAQ,QAAQ;IACjB,CAAC;AAEF,WAAQ,IAAI,OAAO,IAAI,OAAO,GAAG,CAAC;AAClC,WAAQ,IAAI,mCAAmC;AAC/C,WAAQ,IAAI,IAAI,OAAO,GAAG,CAAC;AAE3B,WAAQ,OAAO,MACb,2DACD;AAED,MAAG,GAAG,SAAS,WAAmB;AAChC,OAAG,OAAO;AACV,YAAQ,IAAI,GAAG;AACf,YAAQ,OAAO,aAAa,KAAK,OAAO,OAAO,aAAa,KAAK,MAAM;KACvE;IACF;;;;;;CAOJ,MAAa,wBACX,cACA,WACmB;AACnB,MAAI,KAAK,wBAAwB;AAC/B,UAAO,MAAM,4CAA4C;AACzD,UAAO;;AAGT,OAAK,yBAAyB;AAE9B,MAAI;AAIF,OAAI,CAFkB,MAAM,KAAK,wBAAwB,EAErC;AAClB,WAAO,KAAK,2CAA2C,eAAe;AACtE,WAAO;;AAGT,UAAO,KAAK,uCAAuC,eAAe;AAGlE,UADe,MAAM,WAAW;WAEzB,OAAO;AACd,UAAO,MACL,kDAAkD,aAAa,IAC/D,MACD;AACD,SAAM;YACE;AACR,QAAK,yBAAyB;;;;;;;CAQlC,MAAa,6BACX,WACe;AACf,MAAI,KAAK,wBAAwB;AAC/B,UAAO,MACL,6DACD;AACD;;EAIF,IAAI,gBAAgB,KAAK,kBAAkB;AAC3C,MAAI,cAAc,WAAW,GAAG;AAC9B,UAAO,MAAM,iCAAiC;AAC9C;;AAGF,OAAK,yBAAyB;AAE9B,MAAI;AAIF,OAAI,CAFkB,MAAM,KAAK,wBAAwB,EAErC;AAClB,WAAO,KAAK,sCAAsC;AAElD,SAAK,YAAY;AACjB;;AAKF,mBAAgB,KAAK,YAAY;AACjC,OAAI,cAAc,WAAW,GAAG;AAC9B,WAAO,KAAK,6BAA6B;AACzC;;AAGF,UAAO,KACL,uCAAuC,cAAc,OAAO,cAC7D;AAGD,SAAM,UAAU,cAAc;AAC9B,UAAO,KAAK,8BAA8B;WACnC,OAAO;AACd,UAAO,MAAM,gDAAgD,MAAM;AACnE,SAAM;YACE;AACR,QAAK,yBAAyB;;;CAIlC,mBAA0B,SAAwB;AAChD,OAAK,oBAAoB;AACzB,SAAO,MAAM,4BAA4B,UAAU;;CAGrD,gBAAgC;AAC9B,SAAO,KAAK;;CAGd,eAA+B;AAC7B,SAAO,KAAK;;;;;AC/LhB,MAAM,wBAAwB;;;;;AAM9B,IAAa,yBAAb,MAAoC;CAClC,6BAAqB,IAAI,KAA8B;CACvD,iCAAyB,IAAI,KAA6B;CAC1D,kBAAyC,QAAQ,SAAS;CAC1D;CAEA,YACE,QACA,kBAAkB,OAClB;AAFQ,OAAA,SAAA;AAGR,OAAK,qBAAqB,IAAI,mBAAmB,gBAAgB;;;;;CAMnE,kBACE,cACA,gBACM;AACN,MAAI,KAAK,WAAW,IAAI,aAAa,CACnC,QAAO,KACL,mCAAmC,aAAa,uCACjD;AAGH,OAAK,WAAW,IAAI,cAAc,IAAI,eAAe,KAAK,OAAO,CAAC;AAClE,SAAO,MAAM,6CAA6C,eAAe;;;;;CAM3E,2BACE,gBACM;EACN,MAAM,YAAY,IAAI,eAAe,KAAK,OAAO;EACjD,MAAM,iBAAiB,UAAU,2BAA2B;AAE5D,OAAK,MAAM,gBAAgB,gBAAgB;AACzC,OAAI,KAAK,WAAW,IAAI,aAAa,CACnC,QAAO,KACL,mCAAmC,aAAa,uCACjD;AAEH,QAAK,WAAW,IAAI,cAAc,UAAU;;AAG9C,SAAO,MACL,yDAAyD,eAAe,KAAK,KAAK,GACnF;;;;;;CAOH,aAAoB,cAAmD;AACrE,SAAO,KAAK,WAAW,IAAI,aAAa;;;;;CAM1C,6BAAuC;AACrC,SAAO,MAAM,KAAK,KAAK,WAAW,MAAM,CAAC;;;;;CAM3C,wBAAwB,cAA+B;AACrD,SAAO,KAAK,WAAW,IAAI,aAAa;;;;;;CAO1C,MAAM,iBAAiB,QAAqC;EAC1D,MAAM,eAAe,OAAO;AAE5B,MAAI,CAAC,cAAc;AACjB,UAAO,MAAM,+CAA+C;AAC5D,SAAM,IAAI,MAAM,6CAA6C;;EAG/D,MAAM,YAAY,KAAK,aAAa,aAAa;AAEjD,MAAI,CAAC,WAAW;AACd,UAAO,KAAK,4CAA4C,eAAe;AACvE,UAAO,KACL,gCAAgC,KAAK,4BAA4B,CAAC,KAAK,KAAK,GAC7E;AACD,SAAM,IAAI,MAAM,8BAA8B,eAAe;;AAI/D,MAAI,CAAC,UAAU,cAAc,OAAO,EAAE;AACpC,UAAO,MACL,uCAAuC,aAAa,GAAG,OAAO,WAAW,uBAC1E;AACD;;AAIF,MAAI,KAAK,mBAAmB,eAAe,EAAE;AAE3C,UAAO,MACL,mDAAmD,aAAa,GAAG,OAAO,aAC3E;AAGD,QAAK,mBAAmB,YAAY,OAAO;GAG3C,MAAM,gBAAgB,KAAK,eAAe,IAAI,cAAc;AAC5D,OAAI,cACF,cAAa,cAAc;GAK7B,MAAM,gBAAgB,WAAW,YAAY;AAC3C,QAAI;AACF,WAAM,KAAK,mBAAmB,6BAC5B,OAAO,kBAAkC;AACvC,YAAM,KAAK,qBAAqB,cAAc;OAEjD;aACM,OAAO;AACd,YAAO,MAAM,gDAAgD,MAAM;cAC3D;AAER,UAAK,eAAe,OAAO,cAAc;;MAE1C,sBAAsB;AAGzB,QAAK,eAAe,IAAI,eAAe,cAAc;SAChD;GAGL,MAAM,WAAW,GAAG,aAAa,GAAG,OAAO;GAG3C,MAAM,gBAAgB,KAAK,eAAe,IAAI,SAAS;AACvD,OAAI,cACF,cAAa,cAAc;GAK7B,MAAM,gBAAgB,WAAW,YAAY;AAC3C,QAAI;AACF,YAAO,MACL,6BAA6B,aAAa,4BAC3C;AAGD,WAAM,UAAU,SAAS,OAAO;AAChC,YAAO,MACL,oDAAoD,eACrD;aACM,OAAO;AACd,YAAO,MACL,8CAA8C,aAAa,KAC3D,MACD;cAEO;AAER,UAAK,eAAe,OAAO,aAAa;;MAEzC,sBAAsB;AAGzB,QAAK,eAAe,IAAI,UAAU,cAAc;;;;;;CAOpD,MAAc,qBACZ,eACe;AACf,SAAO,MAAM,iBAAiB,cAAc,OAAO,mBAAmB;EAGtE,MAAM,uBAAuB,cAAc,QACxC,OACC,GAAG,OAAO,iBAAiB,4BAC9B;EACD,MAAM,eAAe,cAAc,QAChC,OACC,GAAG,OAAO,iBAAiB,4BAC9B;AAGD,OAAK,MAAM,gBAAgB,qBACzB,OAAM,KAAK,cAAc,aAAa,OAAO;AAI/C,OAAK,MAAM,gBAAgB,aACzB,OAAM,KAAK,cAAc,aAAa,OAAO;AAG/C,SAAO,MACL,gCAAgC,cAAc,OAAO,mBACtD;;;;;CAMH,MAAc,cAAc,QAAqC;EAC/D,MAAM,eAAe,OAAO;EAC5B,MAAM,YAAY,KAAK,aAAa,aAAa;AAEjD,MAAI,CAAC,WAAW;AACd,UAAO,KAAK,4CAA4C,eAAe;AACvE;;AAGF,MAAI;AACF,UAAO,MAAM,yCAAyC,eAAe;AACrE,SAAM,UAAU,SAAS,OAAO;AAChC,UAAO,MACL,oDAAoD,eACrD;WACM,OAAO;AACd,UAAO,MACL,8CAA8C,aAAa,KAC3D,MACD;;;;;;CAQL,kBAAwB;AACtB,OAAK,WAAW,OAAO;AACvB,SAAO,MAAM,uCAAuC;;;;;CAMtD,WAAkE;AAChE,SAAO;GACL,iBAAiB,KAAK,WAAW;GACjC,gBAAgB,KAAK,4BAA4B;GAClD;;;;;CAMH,mBAAmB,SAAwB;AACzC,OAAK,mBAAmB,mBAAmB,QAAQ;;;;;CAMrD,oBAA6B;AAC3B,SAAO,KAAK,mBAAmB,eAAe;;;;;CAMhD,0BAAmC;AACjC,SAAO,KAAK,mBAAmB,cAAc;;;;;ACxRjD,MAAM,gBAAgB;;;;;AA2CtB,eAAsB,sBACpB,MACA,YACA,WAC6B;AAC7B,KAAI;EACF,MAAM,aAAa,KAAK,YAAY,cAAc;AAClD,QAAM,MAAM,YAAY,EAAE,WAAW,MAAM,CAAC;EAE5C,MAAM,WAAW,MAAM,sBACrB,MACA,YACA,aAAa,GACd;AAED,SAAO,MAAM,0BAA0B,WAAW;AAClD,SAAO;UACA,OAAO;AACd,SAAO,KAAK,8BAA8B,KAAK,KAAK,KAAK,MAAM;AAC/D;;;;;;;;ACxDJ,IAAa,eAAb,cAAkC,gBAAgB;CAChD,yBAAkC;;;;CAKlC,mBACE,OACkC;AAClC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,2BAA2B,MAAM,aAAa;AAC3D,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,0BAA0B,MAAM,aAAa;AAC1D,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,sBAAsB,MAAM,KAAK,YAAY,MAAM,OAAO,GAC3D;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,2BAA2B,MAAM,aAAa;AAC3D;;AAIF,MAAI,MAAM,QAAQ,MAAM,WAAW,aAAa;AAC9C,UAAO,KAAK,gDAAgD,MAAM,OAAO;AACzE,OAAI;IAEF,MAAM,QAAgB,UAAU,MAAM,KAAK;AAE3C,UAAM,oBAAoB;KACxB,GAAG,KAAK,OAAO;KACf,iBAAiB,MAAM;KACvB,eAAe;KACf,sBAAsB,MAAM,wBAAwB,EAAE;KACtD,sBAAsB,MAAM;KAC5B,YAAA;KACD,CAAC;AAEF,WAAO,KACL,6DAA6D,MAAM,OACpE;AAGD,QAAI;AACF,YAAO,MACL,kCAAkC,MAAM,KAAK,QAAQ,MAAM,GAC5D;AAED,sBACE,EACE,MAAM,CACJ;MACE,IAAI;MACJ,MAAM,MAAM;MACZ,aAAa;MACd,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,YAAO,MACL,4CAA4C,MAAM,OACnD;aACM,eAAe;AACtB,YAAO,MACL,wCAAwC,MAAM,KAAK,IACnD,cACD;;IAKH,MAAM,YAAY,MAAM;AACxB,UAAM,sBACJ;KACE,YAAY,MAAM;KAClB,cAAc,MAAM;KACpB,QAAQ,MAAM;KACd,OAAO;KACP,MAAM,MAAM;KACb,EACD,KAAK,OAAO,oBACb;YACM,OAAO;AACd,WAAO,MACL,kDAAkD,MAAM,KAAK,IAC7D,MACD;AACD,QAAI,iBAAiB,MACnB,QAAO,MAAM,oBAAoB,MAAM,UAAU;;aAIjD,CAAC,MAAM,MAAM;AACf,UAAO,MACL,4DACD;AACD;aACS,MAAM,WAAW,aAAa;AACvC,UAAO,MACL,6CAA6C,MAAM,KAAK,8BAA8B,MAAM,OAAO,GACpG;AACD;;;;;;;;;ACvIR,IAAa,0BAAb,cAA6C,gBAAgB;CAC3D,yBAAkC;;;;CAKlC,mBACE,OACiC;AACjC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,uCAAuC,MAAM,aAAa;AACvE,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,sCAAsC,MAAM,aAAa;AACtE,UAAO;;AAGT,MAAI,CAAC,MAAM,iBAAiB,MAAM,cAAc,WAAW,GAAG;AAC5D,UAAO,MACL,gDAAgD,MAAM,OACvD;AACD,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,kCAAkC,MAAM,KAAK,YAAY,MAAM,OAAO,GACvE;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,uCAAuC,MAAM,aAAa;AACvE;;AAIF,SAAO,KAAK,sCAAsC,MAAM,OAAO;AAC/D,MAAI;GAEF,MAAM,gBAAgB,MAAM,cAAc,KAAK,OAAO,GAAG,aAAa;GAGtE,MAAM,WAAmB,UAAU,MAAM,KAAK;AAG9C,SAAM,eAAe;IACnB,GAAG,KAAK,OAAO;IACf,YAAY,MAAM;IACH;IACL;IACV,YAAA;IACD,CAAC;AAEF,UAAO,KACL,mDAAmD,MAAM,OAC1D;AAGD,OAAI;AACF,WAAO,MACL,qCAAqC,MAAM,KAAK,QAAQ,SAAS,GAClE;AAED,qBACE,EACE,SAAS,CACP;KACE,IAAI;KACJ,MAAM,MAAM;KACG;KAChB,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,WAAO,MACL,+CAA+C,MAAM,OACtD;YACM,eAAe;AACtB,WAAO,MACL,2CAA2C,MAAM,KAAK,IACtD,cACD;;GAKH,MAAM,YAAY,MAAM;AACxB,SAAM,sBACJ;IACE,YAAY,MAAM;IAClB,cAAc,MAAM;IACpB,QAAQ,MAAM;IACd,OAAO;IACP,MAAM,MAAM;IACb,EACD,KAAK,OAAO,oBACb;WACM,OAAO;AACd,UAAO,MACL,wCAAwC,MAAM,KAAK,IACnD,MACD;AACD,OAAI,iBAAiB,MACnB,QAAO,MAAM,oBAAoB,MAAM,UAAU;AAGnD;;;;;;;;;ACnIN,IAAa,yBAAb,cAA4C,gBAAgB;CAC1D,yBAAkC;;;;CAKlC,mBACE,OACsC;AACtC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAIT,MAAM,cAAc,KAAK,mBAAmB,MAAM;AAClD,MAAI,CAAC,aAAa;AAChB,UAAO,MACL,iDAAiD,MAAM,aACxD;AACD,UAAO;;EAGT,MAAM,mBAAmB,2BAA2B,YAAY;AAChE,MAAI,CAAC,iBAAiB,SAAS;GAC7B,MAAM,YAAY,iBAAiB,OAChC,KAAK,UAAU,OAAO,QAAQ,CAC9B,KAAK,KAAK;AACb,UAAO,KACL,oCAAoC,YAAY,QAAQ,MAAM,WAAW,+BAA+B,YACzG;AACD,UAAO;;AAGT,SAAO,KACL,kBAAkB,YAAY,KAAK,4CACpC;AAED,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,cAAc,KAAK,mBAAmB,MAAM;AAClD,MAAI,CAAC,aAAa;AAChB,UAAO,MACL,+CAA+C,MAAM,aACtD;AACD;;AAGF,SAAO,MACL,mDAAmD,YAAY,OAChE;AACD,MAAI;AACF,SAAM,qBAAqB;IACzB,oBAAoB;IACpB,QAAQ,KAAK,OAAO;IACpB,YAAA;IACA,eAAA;IACD,CAAC;AACF,UAAO,KACL,iDAAiD,YAAY,OAC9D;AAGD,OAAI;AACF,WAAO,MACL,6CAA6C,YAAY,KAAK,QAAQ,YAAY,GAAG,GACtF;AAED,qBACE,EACE,gBAAgB,CACd;KACE,IAAI,YAAY;KAChB,MAAM,YAAY;KACnB,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,WAAO,MACL,uDAAuD,YAAY,OACpE;YACM,eAAe;AACtB,WAAO,MACL,mDAAmD,YAAY,KAAK,IACpE,cACD;;GAKH,MAAM,YAAY,MAAM;GACxB,MAAM,YAAY,YAAY,WAAW,QAAQ,cAAc,GAAG,IAAI;AACtE,SAAM,sBACJ;IACE,YAAY,MAAM;IAClB,cAAc,MAAM;IACpB,QAAQ,MAAM;IACd,OAAO;IACP,MAAM,YAAY;IACnB,EACD,KAAK,OAAO,qBACZ,UACD;WACM,OAAO;AACd,UAAO,MACL,sCAAsC,YAAY,KAAK,IACvD,MACD;AAED;;;;;;;;;ACjIN,IAAa,mBAAb,cAAsC,gBAAgB;CACpD,yBAAkC;;;;CAKlC,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;AAGT,MAAI,CAAC,MAAM,OAAO;AAChB,UAAO,MAAM,mCAAmC,MAAM,aAAa;AACnE,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,YAAY,MAAM;EACxB,MAAM,QAAQ;AAEd,SAAO,KAAK,qCAAqC;AACjD,mBACE;GACE,MAAM,MAAM,QAAQ;GACpB,UAAU,MAAM,YAAY;GAC5B,aAAa,MAAM,eAAe;GAClC,WAAW;IACT,MAAM,MAAM,QAAQ,QAAQ;IAC5B,KAAK,MAAM,QAAQ,WAAW;IAC/B;GACF,EACD,KAAK,OAAO,oBACb;AACD,SAAO,KAAK,oCAAoC;AAGhD,QAAM,sBACJ;GACE,YAAY,MAAM;GAClB,cAAc,MAAM;GACpB,QAAQ,MAAM;GACd,OAAO;GACP,MAAM;GACP,EACD,KAAK,OAAO,oBACb;;;;;;;;AC3CL,IAAa,qBAAb,cAAwC,gBAAgB;CACtD,yBAAkC;;;;CAKlC,mBACE,OACkC;AAClC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,iCAAiC,MAAM,aAAa;AACjE,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,gCAAgC,MAAM,aAAa;AAChE,UAAO;;AAGT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,gCAAgC,MAAM,OAAO;AAC1D,UAAO;;AAGT,MAAI,CAAC,MAAM,iBAAiB,MAAM,cAAc,WAAW,GAAG;AAC5D,UAAO,MAAM,0CAA0C,MAAM,OAAO;AACpE,UAAO;;AAGT,MAAI,CAAC,MAAM,iBAAiB,MAAM,cAAc,WAAW,GAAG;AAC5D,UAAO,MAAM,0CAA0C,MAAM,OAAO;AACpE,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,4BAA4B,MAAM,KAAK,YAAY,MAAM,OAAO,GACjE;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,iCAAiC,MAAM,aAAa;AACjE;;AAIF,MACE,MAAM,QACN,MAAM,QACN,MAAM,cAAc,SAAS,KAC7B,MAAM,cAAc,SAAS,KAC7B,MAAM,WAAW,aACjB;AACA,UAAO,KAAK,yCAAyC,MAAM,OAAO;AAClE,OAAI;IAEF,IAAI;AACJ,QAAI,MAAM,SAAS,YACjB,iBAAgB;aACP,MAAM,SAAS,aACxB,iBAAgB;SACX;AACL,YAAO,MAAM,iCAAiC,MAAM,OAAO;AAC3D;;IAIF,MAAM,gBAAgB,MAAM,cAAc,KAAK,OAAO,GAAG,aAAa;IAEtE,MAAM,gBAAgB,MAAM;AAE5B,QAAI,CAAC,gBAAgB,cAAc,EAAE;AACnC,YAAO,MACL,iCAAiC,cAAc,KAAK,KAAK,GAC1D;AACD;;AAIF,UAAM,kBAAkB;KACtB,eAAe,MAAM;KACrB;KACA;KACA,YAAY,KAAK,OAAO,UAAU;KAClC,YAAA;KACA;KACD,CAAC;AAEF,WAAO,KACL,sDAAsD,MAAM,OAC7D;IAGD,MAAM,YAAY,MAAM;AACxB,UAAM,sBACJ;KACE,YAAY,MAAM;KAClB,cAAc,MAAM;KACpB,QAAQ,MAAM;KACd,OAAO;KACP,MAAM,MAAM;KACb,EACD,KAAK,OAAO,oBACb;YACM,OAAO;AACd,WAAO,MACL,2CAA2C,MAAM,KAAK,IACtD,MACD;AACD,QAAI,iBAAiB,MACnB,QAAO,MAAM,oBAAoB,MAAM,UAAU;;aAIjD,CAAC,MAAM,MAAM;AACf,UAAO,MACL,+DACD;AACD;aACS,CAAC,MAAM,MAAM;AACtB,UAAO,MACL,iEAAiE,MAAM,KAAK,GAC7E;AACD;aACS,MAAM,cAAc,WAAW,GAAG;AAC3C,UAAO,MACL,2EAA2E,MAAM,KAAK,GACvF;AACD;aACS,MAAM,WAAW,aAAa;AACvC,UAAO,MACL,gDAAgD,MAAM,KAAK,8BAA8B,MAAM,OAAO,GACvG;AACD;;;;AAMR,SAAS,gBAAgB,OAAkD;AACzE,KAAI,MAAM,WAAW,EAAG,QAAO;AAC/B,KAAI,IAAI,IAAI,MAAM,CAAC,SAAS,MAAM,OAChC,QAAO;AAET,KAAI,CAAC,MAAM,OAAO,MAAM,eAAe,SAAS,EAAkB,CAAC,CACjE,QAAO;AAET,QAAO;;;;;;;AChLT,IAAa,oBAAb,cAAuC,gBAAgB;CACrD,yBAAkC;;;;CAKlC,mBACE,OACiC;AACjC,MAAI,CAAC,MAAM,MACT;AAGF,SADkB,MAAM,MACP;;;;;CAMnB,cAAc,OAA8B;AAE1C,MAAI,CAAC,MAAM,cAAc,MAAM,CAC7B,QAAO;EAGT,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,gCAAgC,MAAM,aAAa;AAChE,UAAO;;AAIT,MAAI,CAAC,MAAM,MAAM;AACf,UAAO,MAAM,+BAA+B,MAAM,aAAa;AAC/D,UAAO;;AAGT,MAAI,MAAM,WAAW,aAAa;AAChC,UAAO,MACL,2BAA2B,MAAM,KAAK,YAAY,MAAM,OAAO,GAChE;AACD,UAAO;;AAGT,SAAO;;CAGT,MAAM,SAAS,OAAoC;EACjD,MAAM,QAAQ,KAAK,mBAAmB,MAAM;AAC5C,MAAI,CAAC,OAAO;AACV,UAAO,MAAM,gCAAgC,MAAM,aAAa;AAChE;;AAIF,MAAI,MAAM,QAAQ,MAAM,WAAW,aAAa;AAC9C,UAAO,KAAK,wCAAwC,MAAM,OAAO;AACjE,OAAI;IAEF,MAAM,aAAqB,UAAU,MAAM,KAAK;AAEhD,UAAM,iBAAiB,MAAM,MAAM,MAAM,KAAK,OAAO,UAAU;AAC/D,WAAO,KACL,qDAAqD,MAAM,OAC5D;AAGD,QAAI;AACF,YAAO,MACL,uCAAuC,MAAM,KAAK,QAAQ,WAAW,GACtE;AAED,sBACE,EACE,WAAW,CACT;MACE,IAAI;MACJ,MAAM,MAAM;MACZ,eAAe,EAAE;MAClB,CACF,EACF,EACD,KAAK,OAAO,oBACb;AAED,YAAO,MACL,iDAAiD,MAAM,OACxD;aACM,eAAe;AACtB,YAAO,MACL,6CAA6C,MAAM,KAAK,IACxD,cACD;;IAKH,MAAM,YAAY,MAAM;AACxB,UAAM,sBACJ;KACE,YAAY,MAAM;KAClB,cAAc,MAAM;KACpB,QAAQ,MAAM;KACd,OAAO;KACP,MAAM,MAAM;KACb,EACD,KAAK,OAAO,oBACb;YACM,OAAO;AACd,WAAO,MACL,0CAA0C,MAAM,KAAK,IACrD,MACD;;aAGC,CAAC,MAAM,MAAM;AACf,UAAO,MACL,6DACD;AACD;aACS,MAAM,WAAW,aAAa;AACvC,UAAO,MACL,8CAA8C,MAAM,KAAK,8BAA8B,MAAM,OAAO,GACrG;AACD;;;;;;;;;;AC1HR,IAAa,yBAAb,MAAoC;;;;CAIlC,OAAO,cACL,QACA,kBAA2B,OACH;EACxB,MAAM,UAAU,IAAI,uBAAuB,QAAQ,gBAAgB;AAGnE,UAAQ,kBACN,6BACA,uBACD;AACD,UAAQ,kBAAkB,sBAAsB,iBAAiB;AACjE,UAAQ,kBAAkB,kBAAkB,aAAa;AACzD,UAAQ,kBACN,8BACA,wBACD;AACD,UAAQ,kBAAkB,uBAAuB,kBAAkB;AACnE,UAAQ,kBAAkB,wBAAwB,mBAAmB;AAErE,SAAO;;;;;CAMT,OAAO,4BACL,QACA,YACA,kBAA2B,OACH;EACxB,MAAM,UAAU,IAAI,uBAAuB,QAAQ,gBAAgB;AAEnE,OAAK,MAAM,kBAAkB,YAAY;GAEvC,MAAM,iBADY,IAAI,eAAe,OAAO,CACX,2BAA2B;AAE5D,QAAK,MAAM,gBAAgB,eACzB,SAAQ,kBAAkB,cAAc,eAAe;;AAI3D,SAAO;;;;;CAMT,OAAO,yBAAyB;AAC9B,SAAO;GACL;GACA;GACA;GACA;GACA;GACA;GACD;;;;;AClEL,MAAM,YAAY,WAAW;AAC7B,MAAM,sBAAsB,QAAQ,KAAK;AAEzC,IAAa,mBAAb,MAAoD;CAClD;CAEA,YAAY,kBAAkB,OAAO;AACnC,OAAK,UAAU,uBAAuB,cACpC;GACE;GACA;GACD,EACD,gBACD;AAED,MAAI,gBACF,QAAO,KAAK,6DAA6D;MAEzE,QAAO,MACL,8DACD;;CAIL,MAAM,aAAa,YAAmD;AACpE,SAAO,KAAK,kCAAkC;AAE9C,OAAK,MAAM,EAAE,aAAa,YAAY;GACpC,MAAM,YAAY,KAAK,QAAQ,aAAa,QAAQ,aAAa;AACjE,OAAI,CAAC,WAAW;AACd,WAAO,MACL,yCAAyC,QAAQ,eAClD;AACD;;GAGF,MAAM,QAAsB;IAC1B,YAAY,QAAQ;IACpB,cAAc,QAAQ;IACtB,OAAO,QAAQ;IACf,QAAQ,QAAQ;IAChB,OAAO,QAAQ,iBACX,KAAK,MAAM,QAAQ,eAAe,GAClC,KAAA;IACL;AAGD,OADsB,UAAU,cAAc,MAAM,CAElD,OAAM,KAAK,QAAQ,iBAAiB,MAAM;;;CAKhD,MAAM,eAAe;CAGrB,mBAA0B,SAAwB;AAChD,OAAK,QAAQ,mBAAmB,QAAQ;;CAG1C,gBAAgC;AAC9B,SAAO,KAAK,QAAQ,mBAAmB;;CAGzC,0BAA0C;AACxC,SAAO,KAAK,QAAQ,yBAAyB"}