UNPKG

qraft

Version:

A powerful CLI tool to qraft structured project setups from GitHub template repositories

229 lines 9.12 kB
"use strict"; var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) { if (k2 === undefined) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); }) : (function(o, m, k, k2) { if (k2 === undefined) k2 = k; o[k2] = m[k]; })); var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); }) : function(o, v) { o["default"] = v; }); var __importStar = (this && this.__importStar) || (function () { var ownKeys = function(o) { ownKeys = Object.getOwnPropertyNames || function (o) { var ar = []; for (var k in o) if (Object.prototype.hasOwnProperty.call(o, k)) ar[ar.length] = k; return ar; }; return ownKeys(o); }; return function (mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) for (var k = ownKeys(mod), i = 0; i < k.length; i++) if (k[i] !== "default") __createBinding(result, mod, k[i]); __setModuleDefault(result, mod); return result; }; })(); Object.defineProperty(exports, "__esModule", { value: true }); exports.BoxRegistryManager = void 0; const fs = __importStar(require("fs-extra")); const path = __importStar(require("path")); /** * BoxRegistryManager handles the mapping between box names and their remote paths * This enables Strategy 1: Separate Box Name and Remote Path */ class BoxRegistryManager { /** * Get the path to the registry file for a given registry directory * @param registryPath Path to the registry root * @returns string Path to the box-registry.json file */ static getRegistryFilePath(registryPath) { return path.join(registryPath, this.REGISTRY_FILE); } /** * Load box registry from the registry directory * @param registryPath Path to the registry root * @param registryName Name of the registry * @returns Promise<BoxRegistry> The loaded registry or a new empty one */ async loadRegistry(registryPath, registryName) { const registryFilePath = BoxRegistryManager.getRegistryFilePath(registryPath); try { if (await fs.pathExists(registryFilePath)) { const content = await fs.readFile(registryFilePath, 'utf-8'); const registry = JSON.parse(content); // Validate registry structure if (!registry.metadata || !registry.boxes) { throw new Error('Invalid registry structure'); } return registry; } } catch (error) { console.warn(`Failed to load box registry: ${error instanceof Error ? error.message : 'Unknown error'}`); } // Return empty registry if file doesn't exist or is invalid return this.createEmptyRegistry(registryName); } /** * Save box registry to the registry directory * @param registryPath Path to the registry root * @param registry Registry to save * @returns Promise<void> */ async saveRegistry(registryPath, registry) { const registryFilePath = BoxRegistryManager.getRegistryFilePath(registryPath); // Ensure .qraft directory exists await fs.ensureDir(path.dirname(registryFilePath)); // Update metadata registry.metadata.lastUpdated = new Date().toISOString(); // Save registry await fs.writeFile(registryFilePath, JSON.stringify(registry, null, 2), 'utf-8'); } /** * Register a new box in the registry * @param registryPath Path to the registry root * @param registryName Name of the registry * @param boxName Name of the box * @param remotePath Remote path where the box is stored * @param manifest Box manifest for additional metadata * @returns Promise<void> */ async registerBox(registryPath, registryName, boxName, remotePath, manifest) { const registry = await this.loadRegistry(registryPath, registryName); const entry = { remotePath, lastUpdated: new Date().toISOString(), version: manifest.version, description: manifest.description }; registry.boxes[boxName] = entry; await this.saveRegistry(registryPath, registry); } /** * Get the remote path for a box name * @param registryPath Path to the registry root * @param registryName Name of the registry * @param boxName Name of the box to look up * @returns Promise<string | null> Remote path or null if not found */ async getRemotePath(registryPath, registryName, boxName) { const registry = await this.loadRegistry(registryPath, registryName); const entry = registry.boxes[boxName]; return entry ? entry.remotePath : null; } /** * Get all registered boxes * @param registryPath Path to the registry root * @param registryName Name of the registry * @returns Promise<Record<string, BoxRegistryEntry>> Map of box names to entries */ async getAllBoxes(registryPath, registryName) { const registry = await this.loadRegistry(registryPath, registryName); return registry.boxes; } /** * Update an existing box entry * @param registryPath Path to the registry root * @param registryName Name of the registry * @param boxName Name of the box to update * @param manifest Updated manifest * @returns Promise<boolean> True if box was updated, false if not found */ async updateBox(registryPath, registryName, boxName, manifest) { const registry = await this.loadRegistry(registryPath, registryName); const entry = registry.boxes[boxName]; if (!entry) { return false; } entry.lastUpdated = new Date().toISOString(); entry.version = manifest.version; entry.description = manifest.description; await this.saveRegistry(registryPath, registry); return true; } /** * Remove a box from the registry * @param registryPath Path to the registry root * @param registryName Name of the registry * @param boxName Name of the box to remove * @returns Promise<boolean> True if box was removed, false if not found */ async removeBox(registryPath, registryName, boxName) { const registry = await this.loadRegistry(registryPath, registryName); if (!registry.boxes[boxName]) { return false; } delete registry.boxes[boxName]; await this.saveRegistry(registryPath, registry); return true; } /** * Check if a box name exists in the registry * @param registryPath Path to the registry root * @param registryName Name of the registry * @param boxName Name of the box to check * @returns Promise<boolean> True if box exists */ async boxExists(registryPath, registryName, boxName) { const registry = await this.loadRegistry(registryPath, registryName); return boxName in registry.boxes; } /** * Find box name by remote path (reverse lookup) * @param registryPath Path to the registry root * @param registryName Name of the registry * @param remotePath Remote path to search for * @returns Promise<string | null> Box name or null if not found */ async findBoxByRemotePath(registryPath, registryName, remotePath) { const registry = await this.loadRegistry(registryPath, registryName); for (const [boxName, entry] of Object.entries(registry.boxes)) { if (entry.remotePath === remotePath) { return boxName; } } return null; } /** * Create an empty registry structure * @param registryName Name of the registry * @returns BoxRegistry Empty registry */ createEmptyRegistry(registryName) { return { metadata: { name: registryName, lastUpdated: new Date().toISOString(), version: BoxRegistryManager.REGISTRY_VERSION }, boxes: {} }; } /** * Validate registry structure * @param registry Registry to validate * @returns boolean True if valid */ static validateRegistry(registry) { return (registry && typeof registry === 'object' && registry.metadata && typeof registry.metadata === 'object' && registry.boxes && typeof registry.boxes === 'object'); } } exports.BoxRegistryManager = BoxRegistryManager; BoxRegistryManager.REGISTRY_FILE = '.qraft/box-registry.json'; BoxRegistryManager.REGISTRY_VERSION = '1.0.0'; //# sourceMappingURL=boxRegistryManager.js.map