@maravilla-labs/vite-plugin 0.1.21 → 0.1.22
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.
- package/dist/index.js +19 -2
- package/dist/index.js.map +1 -1
- package/package.json +1 -1
package/dist/index.js
CHANGED
|
@@ -93,11 +93,28 @@ function maravillaFunctions(options = {}) {
|
|
|
93
93
|
});
|
|
94
94
|
let body = null;
|
|
95
95
|
if (req.method && ["POST", "PUT", "PATCH"].includes(req.method)) {
|
|
96
|
-
|
|
96
|
+
const MAX_BODY_SIZE = 10 * 1024 * 1024;
|
|
97
|
+
body = await new Promise((resolve, reject) => {
|
|
97
98
|
let data = "";
|
|
98
|
-
|
|
99
|
+
let size = 0;
|
|
100
|
+
req.on("data", (chunk) => {
|
|
101
|
+
size += typeof chunk === "string" ? Buffer.byteLength(chunk) : chunk.length;
|
|
102
|
+
if (size > MAX_BODY_SIZE) {
|
|
103
|
+
req.destroy(new Error("Request body too large"));
|
|
104
|
+
reject(new Error("Request body too large"));
|
|
105
|
+
return;
|
|
106
|
+
}
|
|
107
|
+
data += chunk;
|
|
108
|
+
});
|
|
99
109
|
req.on("end", () => resolve(data));
|
|
110
|
+
req.on("error", reject);
|
|
111
|
+
}).catch((err) => {
|
|
112
|
+
res.statusCode = 413;
|
|
113
|
+
res.setHeader("Content-Type", "application/json");
|
|
114
|
+
res.end(JSON.stringify({ error: "Payload too large", message: err.message }));
|
|
115
|
+
return null;
|
|
100
116
|
});
|
|
117
|
+
if (body === null) return;
|
|
101
118
|
}
|
|
102
119
|
const request = {
|
|
103
120
|
url: url.toString(),
|
package/dist/index.js.map
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"sources":["../src/functions.ts","../src/client.ts","../src/index.ts"],"sourcesContent":["import type { Plugin, ViteDevServer } from 'vite';\nimport { buildFunctions, developmentServer } from '@maravilla-labs/functions';\nimport { join } from 'node:path';\n\nexport interface FunctionsPluginOptions {\n functionsDir?: string;\n functionsPort?: number;\n watch?: boolean;\n}\n\n/**\n * Vite plugin for Maravilla functions development\n * Handles building and serving functions with hot reload\n */\nexport function maravillaFunctions(options: FunctionsPluginOptions = {}): Plugin {\n const {\n functionsDir = 'functions',\n functionsPort = 3003,\n watch = true,\n } = options;\n\n let functionsBundle: any = null;\n let cleanupWatcher: (() => void) | null = null;\n\n return {\n name: 'vite-plugin-maravilla-functions',\n \n async configureServer(server: ViteDevServer) {\n const resolvedFunctionsDir = join(server.config.root, functionsDir);\n \n // Check if functions directory exists\n try {\n await import('node:fs/promises').then(fs => fs.access(resolvedFunctionsDir));\n } catch {\n console.log(`[maravilla-functions] No functions directory found at ${resolvedFunctionsDir}`);\n return;\n }\n\n console.log(`[maravilla-functions] Found functions at ${resolvedFunctionsDir}`);\n\n // Build functions initially\n try {\n functionsBundle = await buildFunctions({\n functionsDir: resolvedFunctionsDir,\n outputDir: join(server.config.root, '.maravilla/functions-dev'),\n production: false,\n minify: false,\n });\n\n console.log(`[maravilla-functions] Built ${functionsBundle.functions} functions:`);\n functionsBundle.routes.forEach((route: any) => {\n console.log(` ${route.path} → ${route.name} (${route.methods.join(', ')})`);\n });\n } catch (error) {\n console.error('[maravilla-functions] Build failed:', error);\n return;\n }\n\n // Set up dev server with watcher\n if (watch) {\n const cleanup = await developmentServer({\n functionsDir: resolvedFunctionsDir,\n outputDir: join(server.config.root, '.maravilla/functions-dev'),\n watch: true,\n onRebuild: async () => {\n // Reload functions bundle\n functionsBundle = await buildFunctions({\n functionsDir: resolvedFunctionsDir,\n outputDir: join(server.config.root, '.maravilla/functions-dev'),\n production: false,\n minify: false,\n });\n \n // Notify Vite of the change\n server.ws.send({\n type: 'custom',\n event: 'maravilla:functions-reload',\n data: { routes: functionsBundle.routes }\n });\n }\n });\n cleanupWatcher = cleanup || null;\n }\n\n // Add middleware to handle function requests\n server.middlewares.use(async (req, res, next) => {\n // Only handle /api routes\n if (!req.url?.startsWith('/api')) {\n return next();\n }\n\n // Check if this matches a function route\n const matchedRoute = functionsBundle?.routes.find((route: any) => {\n const routePath = route.path;\n const requestPath = req.url?.split('?')[0];\n return routePath === requestPath || \n (routePath === '/api' && requestPath === '/api') ||\n (routePath === '/api' && requestPath === '/api/');\n });\n\n if (!matchedRoute) {\n return next();\n }\n\n // Check if method is allowed\n const method = req.method?.toUpperCase() || 'GET';\n if (!matchedRoute.methods.includes(method)) {\n res.statusCode = 405;\n res.setHeader('Allow', matchedRoute.methods.join(', '));\n res.setHeader('Content-Type', 'application/json');\n res.end(JSON.stringify({\n error: 'Method not allowed',\n allowed: matchedRoute.methods\n }));\n return;\n }\n\n console.log(`[maravilla-functions] ${method} ${req.url} → ${matchedRoute.name}`);\n\n // For now, execute the function in a simple way\n // In production, this would use the V8 isolate runtime\n try {\n const functionModule = await import(\n join(server.config.root, '.maravilla/functions-dev/functions.js')\n );\n\n // Create a mock Request object\n const url = new URL(req.url!, `http://localhost:${server.config.server?.port || 5173}`);\n const headers = new Headers();\n Object.entries(req.headers).forEach(([key, value]) => {\n if (typeof value === 'string') {\n headers.append(key, value);\n } else if (Array.isArray(value)) {\n value.forEach(v => headers.append(key, v));\n }\n });\n\n // Get body if present\n let body = null;\n if (req.method && ['POST', 'PUT', 'PATCH'].includes(req.method)) {\n body = await new Promise<string>((resolve) => {\n let data = '';\n req.on('data', chunk => data += chunk);\n req.on('end', () => resolve(data));\n });\n }\n\n const request = {\n url: url.toString(),\n method: req.method || 'GET',\n headers,\n json: body ? () => Promise.resolve(JSON.parse(body)) : undefined,\n text: () => Promise.resolve(body || ''),\n };\n\n // Call the function handler\n const response = await functionModule.handleFunctionRequest(request);\n\n // Send response\n res.statusCode = response.status || 200;\n Object.entries(response.headers || {}).forEach(([key, value]) => {\n res.setHeader(key, value as string);\n });\n \n if (response instanceof Response) {\n const responseBody = await response.text();\n res.end(responseBody);\n } else {\n res.end(JSON.stringify(response));\n }\n } catch (error: any) {\n console.error('[maravilla-functions] Execution error:', error);\n res.statusCode = 500;\n res.setHeader('Content-Type', 'application/json');\n res.end(JSON.stringify({\n error: 'Function execution failed',\n message: error.message,\n stack: process.env.NODE_ENV === 'development' ? error.stack : undefined\n }));\n }\n });\n },\n\n async closeBundle() {\n if (cleanupWatcher) {\n cleanupWatcher();\n }\n }\n };\n}","/**\n * Platform client for communicating with the dev server\n */\n\nexport interface PlatformClient {\n kv: KvClient;\n db: DbClient;\n}\n\nexport interface KvClient {\n get(namespace: string, key: string): Promise<any>;\n put(namespace: string, key: string, value: any, ttl?: number): Promise<void>;\n delete(namespace: string, key: string): Promise<void>;\n list(namespace: string, options?: KvListOptions): Promise<KvListResponse>;\n}\n\nexport interface DbClient {\n find(collection: string, filter?: any, options?: DbFindOptions): Promise<any[]>;\n findOne(collection: string, filter: any): Promise<any | null>;\n insertOne(collection: string, document: any): Promise<string>;\n updateOne(collection: string, filter: any, update: any): Promise<{ modified: number }>;\n deleteOne(collection: string, filter: any): Promise<{ deleted: number }>;\n}\n\nexport interface KvListOptions {\n prefix?: string;\n limit?: number;\n cursor?: string;\n}\n\nexport interface KvListResponse {\n success: boolean;\n result: Array<{ name: string; expiration?: number; metadata?: any }>;\n result_info: {\n count: number;\n cursor?: string;\n };\n}\n\nexport interface DbFindOptions {\n limit?: number;\n skip?: number;\n sort?: any;\n}\n\nexport function createPlatformClient(baseUrl: string, tenant?: string): PlatformClient {\n const tenantId = tenant || 'dev-tenant';\n const headers = {\n 'Content-Type': 'application/json',\n 'X-Tenant-Id': tenantId,\n };\n\n const fetchWithError = async (url: string, options: RequestInit = {}) => {\n try {\n const response = await fetch(url, {\n ...options,\n headers: {\n ...headers,\n ...options.headers,\n },\n });\n\n if (!response.ok && response.status !== 404) {\n const error = await response.text();\n throw new Error(`Platform API error: ${response.status} - ${error}`);\n }\n\n return response;\n } catch (error) {\n if (error instanceof TypeError && error.message.includes('fetch')) {\n throw new Error(\n `Failed to connect to Maravilla dev server at ${baseUrl}. ` +\n 'Please ensure the dev server is running (cargo run -p dev-server)'\n );\n }\n throw error;\n }\n };\n\n const kv: KvClient = {\n async get(namespace: string, key: string) {\n const response = await fetchWithError(`${baseUrl}/api/kv/${namespace}/${key}`);\n if (response.status === 404) return null;\n return response.json();\n },\n\n async put(namespace: string, key: string, value: any, ttl?: number) {\n const requestHeaders: Record<string, string> = { ...headers };\n if (ttl) {\n requestHeaders['X-TTL'] = ttl.toString();\n }\n\n await fetchWithError(`${baseUrl}/api/kv/${namespace}/${key}`, {\n method: 'PUT',\n headers: requestHeaders,\n body: JSON.stringify(value),\n });\n },\n\n async delete(namespace: string, key: string) {\n await fetchWithError(`${baseUrl}/api/kv/${namespace}/${key}`, {\n method: 'DELETE',\n });\n },\n\n async list(namespace: string, options: KvListOptions = {}) {\n const response = await fetchWithError(`${baseUrl}/api/kv/${namespace}`, {\n method: 'POST',\n body: JSON.stringify(options),\n });\n return response.json() as Promise<KvListResponse>;\n },\n };\n\n const db: DbClient = {\n async find(collection: string, filter: any = {}, options: DbFindOptions = {}) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}`, {\n method: 'POST',\n body: JSON.stringify({ filter, options }),\n });\n return response.json() as Promise<any[]>;\n },\n\n async findOne(collection: string, filter: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}/findOne`, {\n method: 'POST',\n body: JSON.stringify(filter),\n });\n if (response.status === 404) return null;\n return response.json();\n },\n\n async insertOne(collection: string, document: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}`, {\n method: 'PUT',\n body: JSON.stringify(document),\n });\n const result = await response.json() as { id: string };\n return result.id;\n },\n\n async updateOne(collection: string, filter: any, update: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}/update`, {\n method: 'POST',\n body: JSON.stringify({ filter, update }),\n });\n return response.json() as Promise<{ modified: number }>;\n },\n\n async deleteOne(collection: string, filter: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}/delete`, {\n method: 'DELETE',\n body: JSON.stringify(filter),\n });\n return response.json() as Promise<{ deleted: number }>;\n },\n };\n\n return { kv, db };\n}","import type { Plugin } from 'vite';\n\nexport interface MaravillaPluginOptions {\n /**\n * URL of the Maravilla dev server\n * @default 'http://localhost:3001'\n */\n devServerUrl?: string;\n \n /**\n * Tenant ID for development\n * @default 'dev-tenant'\n */\n tenant?: string;\n}\n\nexport function maravilla(options: MaravillaPluginOptions = {}): Plugin {\n const devServerUrl = options.devServerUrl || 'http://localhost:3001';\n const tenant = options.tenant || 'dev-tenant';\n\n return {\n name: 'vite-plugin-maravilla',\n \n configureServer(server) {\n // Set environment variables that @maravilla/platform will use\n process.env.MARAVILLA_DEV_SERVER = devServerUrl;\n process.env.MARAVILLA_TENANT = tenant;\n \n console.log(`[maravilla] Platform APIs configured for ${devServerUrl}`);\n console.log('[maravilla] Using tenant:', tenant);\n console.log('[maravilla] Apps should use @maravilla/platform to access services');\n \n // Hook into SSR module resolution to ensure platform is available\n server.ssrLoadModule = new Proxy(server.ssrLoadModule, {\n async apply(target, thisArg, args) {\n const result = await Reflect.apply(target, thisArg, args);\n \n // Clear platform cache before each SSR module load to ensure fresh instance\n if ((globalThis as any).__maravilla_platform) {\n delete (globalThis as any).__maravilla_platform;\n }\n \n return result;\n }\n });\n }\n };\n}\n\n// Functions plugin\nexport { maravillaFunctions } from './functions.js';\nexport type { FunctionsPluginOptions } from './functions.js';\n\n// Legacy exports for backwards compatibility\nexport { createPlatformClient } from './client.js';\nexport type { PlatformClient, KvClient, DbClient } from './client.js';"],"mappings":";AACA,SAAS,gBAAgB,yBAAyB;AAClD,SAAS,YAAY;AAYd,SAAS,mBAAmB,UAAkC,CAAC,GAAW;AAC/E,QAAM;AAAA,IACJ,eAAe;AAAA,IACf,gBAAgB;AAAA,IAChB,QAAQ;AAAA,EACV,IAAI;AAEJ,MAAI,kBAAuB;AAC3B,MAAI,iBAAsC;AAE1C,SAAO;AAAA,IACL,MAAM;AAAA,IAEN,MAAM,gBAAgB,QAAuB;AAC3C,YAAM,uBAAuB,KAAK,OAAO,OAAO,MAAM,YAAY;AAGlE,UAAI;AACF,cAAM,OAAO,aAAkB,EAAE,KAAK,QAAM,GAAG,OAAO,oBAAoB,CAAC;AAAA,MAC7E,QAAQ;AACN,gBAAQ,IAAI,yDAAyD,oBAAoB,EAAE;AAC3F;AAAA,MACF;AAEA,cAAQ,IAAI,4CAA4C,oBAAoB,EAAE;AAG9E,UAAI;AACF,0BAAkB,MAAM,eAAe;AAAA,UACrC,cAAc;AAAA,UACd,WAAW,KAAK,OAAO,OAAO,MAAM,0BAA0B;AAAA,UAC9D,YAAY;AAAA,UACZ,QAAQ;AAAA,QACV,CAAC;AAED,gBAAQ,IAAI,+BAA+B,gBAAgB,SAAS,aAAa;AACjF,wBAAgB,OAAO,QAAQ,CAAC,UAAe;AAC7C,kBAAQ,IAAI,KAAK,MAAM,IAAI,WAAM,MAAM,IAAI,KAAK,MAAM,QAAQ,KAAK,IAAI,CAAC,GAAG;AAAA,QAC7E,CAAC;AAAA,MACH,SAAS,OAAO;AACd,gBAAQ,MAAM,uCAAuC,KAAK;AAC1D;AAAA,MACF;AAGA,UAAI,OAAO;AACT,cAAM,UAAU,MAAM,kBAAkB;AAAA,UACtC,cAAc;AAAA,UACd,WAAW,KAAK,OAAO,OAAO,MAAM,0BAA0B;AAAA,UAC9D,OAAO;AAAA,UACP,WAAW,YAAY;AAErB,8BAAkB,MAAM,eAAe;AAAA,cACrC,cAAc;AAAA,cACd,WAAW,KAAK,OAAO,OAAO,MAAM,0BAA0B;AAAA,cAC9D,YAAY;AAAA,cACZ,QAAQ;AAAA,YACV,CAAC;AAGD,mBAAO,GAAG,KAAK;AAAA,cACb,MAAM;AAAA,cACN,OAAO;AAAA,cACP,MAAM,EAAE,QAAQ,gBAAgB,OAAO;AAAA,YACzC,CAAC;AAAA,UACH;AAAA,QACF,CAAC;AACD,yBAAiB,WAAW;AAAA,MAC9B;AAGA,aAAO,YAAY,IAAI,OAAO,KAAK,KAAK,SAAS;AAE/C,YAAI,CAAC,IAAI,KAAK,WAAW,MAAM,GAAG;AAChC,iBAAO,KAAK;AAAA,QACd;AAGA,cAAM,eAAe,iBAAiB,OAAO,KAAK,CAAC,UAAe;AAChE,gBAAM,YAAY,MAAM;AACxB,gBAAM,cAAc,IAAI,KAAK,MAAM,GAAG,EAAE,CAAC;AACzC,iBAAO,cAAc,eACb,cAAc,UAAU,gBAAgB,UACxC,cAAc,UAAU,gBAAgB;AAAA,QAClD,CAAC;AAED,YAAI,CAAC,cAAc;AACjB,iBAAO,KAAK;AAAA,QACd;AAGA,cAAM,SAAS,IAAI,QAAQ,YAAY,KAAK;AAC5C,YAAI,CAAC,aAAa,QAAQ,SAAS,MAAM,GAAG;AAC1C,cAAI,aAAa;AACjB,cAAI,UAAU,SAAS,aAAa,QAAQ,KAAK,IAAI,CAAC;AACtD,cAAI,UAAU,gBAAgB,kBAAkB;AAChD,cAAI,IAAI,KAAK,UAAU;AAAA,YACrB,OAAO;AAAA,YACP,SAAS,aAAa;AAAA,UACxB,CAAC,CAAC;AACF;AAAA,QACF;AAEA,gBAAQ,IAAI,yBAAyB,MAAM,IAAI,IAAI,GAAG,WAAM,aAAa,IAAI,EAAE;AAI/E,YAAI;AACF,gBAAM,iBAAiB,MAAM,OAC3B,KAAK,OAAO,OAAO,MAAM,uCAAuC;AAIlE,gBAAM,MAAM,IAAI,IAAI,IAAI,KAAM,oBAAoB,OAAO,OAAO,QAAQ,QAAQ,IAAI,EAAE;AACtF,gBAAM,UAAU,IAAI,QAAQ;AAC5B,iBAAO,QAAQ,IAAI,OAAO,EAAE,QAAQ,CAAC,CAAC,KAAK,KAAK,MAAM;AACpD,gBAAI,OAAO,UAAU,UAAU;AAC7B,sBAAQ,OAAO,KAAK,KAAK;AAAA,YAC3B,WAAW,MAAM,QAAQ,KAAK,GAAG;AAC/B,oBAAM,QAAQ,OAAK,QAAQ,OAAO,KAAK,CAAC,CAAC;AAAA,YAC3C;AAAA,UACF,CAAC;AAGD,cAAI,OAAO;AACX,cAAI,IAAI,UAAU,CAAC,QAAQ,OAAO,OAAO,EAAE,SAAS,IAAI,MAAM,GAAG;AAC/D,mBAAO,MAAM,IAAI,QAAgB,CAAC,YAAY;AAC5C,kBAAI,OAAO;AACX,kBAAI,GAAG,QAAQ,WAAS,QAAQ,KAAK;AACrC,kBAAI,GAAG,OAAO,MAAM,QAAQ,IAAI,CAAC;AAAA,YACnC,CAAC;AAAA,UACH;AAEA,gBAAM,UAAU;AAAA,YACd,KAAK,IAAI,SAAS;AAAA,YAClB,QAAQ,IAAI,UAAU;AAAA,YACtB;AAAA,YACA,MAAM,OAAO,MAAM,QAAQ,QAAQ,KAAK,MAAM,IAAI,CAAC,IAAI;AAAA,YACvD,MAAM,MAAM,QAAQ,QAAQ,QAAQ,EAAE;AAAA,UACxC;AAGA,gBAAM,WAAW,MAAM,eAAe,sBAAsB,OAAO;AAGnE,cAAI,aAAa,SAAS,UAAU;AACpC,iBAAO,QAAQ,SAAS,WAAW,CAAC,CAAC,EAAE,QAAQ,CAAC,CAAC,KAAK,KAAK,MAAM;AAC/D,gBAAI,UAAU,KAAK,KAAe;AAAA,UACpC,CAAC;AAED,cAAI,oBAAoB,UAAU;AAChC,kBAAM,eAAe,MAAM,SAAS,KAAK;AACzC,gBAAI,IAAI,YAAY;AAAA,UACtB,OAAO;AACL,gBAAI,IAAI,KAAK,UAAU,QAAQ,CAAC;AAAA,UAClC;AAAA,QACF,SAAS,OAAY;AACnB,kBAAQ,MAAM,0CAA0C,KAAK;AAC7D,cAAI,aAAa;AACjB,cAAI,UAAU,gBAAgB,kBAAkB;AAChD,cAAI,IAAI,KAAK,UAAU;AAAA,YACrB,OAAO;AAAA,YACP,SAAS,MAAM;AAAA,YACf,OAAO,QAAQ,IAAI,aAAa,gBAAgB,MAAM,QAAQ;AAAA,UAChE,CAAC,CAAC;AAAA,QACJ;AAAA,MACF,CAAC;AAAA,IACH;AAAA,IAEA,MAAM,cAAc;AAClB,UAAI,gBAAgB;AAClB,uBAAe;AAAA,MACjB;AAAA,IACF;AAAA,EACF;AACF;;;AChJO,SAAS,qBAAqB,SAAiB,QAAiC;AACrF,QAAM,WAAW,UAAU;AAC3B,QAAM,UAAU;AAAA,IACd,gBAAgB;AAAA,IAChB,eAAe;AAAA,EACjB;AAEA,QAAM,iBAAiB,OAAO,KAAa,UAAuB,CAAC,MAAM;AACvE,QAAI;AACF,YAAM,WAAW,MAAM,MAAM,KAAK;AAAA,QAChC,GAAG;AAAA,QACH,SAAS;AAAA,UACP,GAAG;AAAA,UACH,GAAG,QAAQ;AAAA,QACb;AAAA,MACF,CAAC;AAED,UAAI,CAAC,SAAS,MAAM,SAAS,WAAW,KAAK;AAC3C,cAAM,QAAQ,MAAM,SAAS,KAAK;AAClC,cAAM,IAAI,MAAM,uBAAuB,SAAS,MAAM,MAAM,KAAK,EAAE;AAAA,MACrE;AAEA,aAAO;AAAA,IACT,SAAS,OAAO;AACd,UAAI,iBAAiB,aAAa,MAAM,QAAQ,SAAS,OAAO,GAAG;AACjE,cAAM,IAAI;AAAA,UACR,gDAAgD,OAAO;AAAA,QAEzD;AAAA,MACF;AACA,YAAM;AAAA,IACR;AAAA,EACF;AAEA,QAAM,KAAe;AAAA,IACnB,MAAM,IAAI,WAAmB,KAAa;AACxC,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI,GAAG,EAAE;AAC7E,UAAI,SAAS,WAAW,IAAK,QAAO;AACpC,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,IAAI,WAAmB,KAAa,OAAY,KAAc;AAClE,YAAM,iBAAyC,EAAE,GAAG,QAAQ;AAC5D,UAAI,KAAK;AACP,uBAAe,OAAO,IAAI,IAAI,SAAS;AAAA,MACzC;AAEA,YAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI,GAAG,IAAI;AAAA,QAC5D,QAAQ;AAAA,QACR,SAAS;AAAA,QACT,MAAM,KAAK,UAAU,KAAK;AAAA,MAC5B,CAAC;AAAA,IACH;AAAA,IAEA,MAAM,OAAO,WAAmB,KAAa;AAC3C,YAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI,GAAG,IAAI;AAAA,QAC5D,QAAQ;AAAA,MACV,CAAC;AAAA,IACH;AAAA,IAEA,MAAM,KAAK,WAAmB,UAAyB,CAAC,GAAG;AACzD,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI;AAAA,QACtE,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,OAAO;AAAA,MAC9B,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,EACF;AAEA,QAAM,KAAe;AAAA,IACnB,MAAM,KAAK,YAAoB,SAAc,CAAC,GAAG,UAAyB,CAAC,GAAG;AAC5E,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,IAAI;AAAA,QACvE,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,EAAE,QAAQ,QAAQ,CAAC;AAAA,MAC1C,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,QAAQ,YAAoB,QAAa;AAC7C,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,YAAY;AAAA,QAC/E,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,MAAM;AAAA,MAC7B,CAAC;AACD,UAAI,SAAS,WAAW,IAAK,QAAO;AACpC,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,UAAU,YAAoB,UAAe;AACjD,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,IAAI;AAAA,QACvE,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,QAAQ;AAAA,MAC/B,CAAC;AACD,YAAM,SAAS,MAAM,SAAS,KAAK;AACnC,aAAO,OAAO;AAAA,IAChB;AAAA,IAEA,MAAM,UAAU,YAAoB,QAAa,QAAa;AAC5D,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,WAAW;AAAA,QAC9E,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,EAAE,QAAQ,OAAO,CAAC;AAAA,MACzC,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,UAAU,YAAoB,QAAa;AAC/C,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,WAAW;AAAA,QAC9E,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,MAAM;AAAA,MAC7B,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,EACF;AAEA,SAAO,EAAE,IAAI,GAAG;AAClB;;;AC/IO,SAAS,UAAU,UAAkC,CAAC,GAAW;AACtE,QAAM,eAAe,QAAQ,gBAAgB;AAC7C,QAAM,SAAS,QAAQ,UAAU;AAEjC,SAAO;AAAA,IACL,MAAM;AAAA,IAEN,gBAAgB,QAAQ;AAEtB,cAAQ,IAAI,uBAAuB;AACnC,cAAQ,IAAI,mBAAmB;AAE/B,cAAQ,IAAI,4CAA4C,YAAY,EAAE;AACtE,cAAQ,IAAI,6BAA6B,MAAM;AAC/C,cAAQ,IAAI,oEAAoE;AAGhF,aAAO,gBAAgB,IAAI,MAAM,OAAO,eAAe;AAAA,QACrD,MAAM,MAAM,QAAQ,SAAS,MAAM;AACjC,gBAAM,SAAS,MAAM,QAAQ,MAAM,QAAQ,SAAS,IAAI;AAGxD,cAAK,WAAmB,sBAAsB;AAC5C,mBAAQ,WAAmB;AAAA,UAC7B;AAEA,iBAAO;AAAA,QACT;AAAA,MACF,CAAC;AAAA,IACH;AAAA,EACF;AACF;","names":[]}
|
|
1
|
+
{"version":3,"sources":["../src/functions.ts","../src/client.ts","../src/index.ts"],"sourcesContent":["import type { Plugin, ViteDevServer } from 'vite';\nimport { buildFunctions, developmentServer } from '@maravilla-labs/functions';\nimport { join } from 'node:path';\n\nexport interface FunctionsPluginOptions {\n functionsDir?: string;\n functionsPort?: number;\n watch?: boolean;\n}\n\n/**\n * Vite plugin for Maravilla functions development\n * Handles building and serving functions with hot reload\n */\nexport function maravillaFunctions(options: FunctionsPluginOptions = {}): Plugin {\n const {\n functionsDir = 'functions',\n functionsPort = 3003,\n watch = true,\n } = options;\n\n let functionsBundle: any = null;\n let cleanupWatcher: (() => void) | null = null;\n\n return {\n name: 'vite-plugin-maravilla-functions',\n \n async configureServer(server: ViteDevServer) {\n const resolvedFunctionsDir = join(server.config.root, functionsDir);\n \n // Check if functions directory exists\n try {\n await import('node:fs/promises').then(fs => fs.access(resolvedFunctionsDir));\n } catch {\n console.log(`[maravilla-functions] No functions directory found at ${resolvedFunctionsDir}`);\n return;\n }\n\n console.log(`[maravilla-functions] Found functions at ${resolvedFunctionsDir}`);\n\n // Build functions initially\n try {\n functionsBundle = await buildFunctions({\n functionsDir: resolvedFunctionsDir,\n outputDir: join(server.config.root, '.maravilla/functions-dev'),\n production: false,\n minify: false,\n });\n\n console.log(`[maravilla-functions] Built ${functionsBundle.functions} functions:`);\n functionsBundle.routes.forEach((route: any) => {\n console.log(` ${route.path} → ${route.name} (${route.methods.join(', ')})`);\n });\n } catch (error) {\n console.error('[maravilla-functions] Build failed:', error);\n return;\n }\n\n // Set up dev server with watcher\n if (watch) {\n const cleanup = await developmentServer({\n functionsDir: resolvedFunctionsDir,\n outputDir: join(server.config.root, '.maravilla/functions-dev'),\n watch: true,\n onRebuild: async () => {\n // Reload functions bundle\n functionsBundle = await buildFunctions({\n functionsDir: resolvedFunctionsDir,\n outputDir: join(server.config.root, '.maravilla/functions-dev'),\n production: false,\n minify: false,\n });\n \n // Notify Vite of the change\n server.ws.send({\n type: 'custom',\n event: 'maravilla:functions-reload',\n data: { routes: functionsBundle.routes }\n });\n }\n });\n cleanupWatcher = cleanup || null;\n }\n\n // Add middleware to handle function requests\n server.middlewares.use(async (req, res, next) => {\n // Only handle /api routes\n if (!req.url?.startsWith('/api')) {\n return next();\n }\n\n // Check if this matches a function route\n const matchedRoute = functionsBundle?.routes.find((route: any) => {\n const routePath = route.path;\n const requestPath = req.url?.split('?')[0];\n return routePath === requestPath || \n (routePath === '/api' && requestPath === '/api') ||\n (routePath === '/api' && requestPath === '/api/');\n });\n\n if (!matchedRoute) {\n return next();\n }\n\n // Check if method is allowed\n const method = req.method?.toUpperCase() || 'GET';\n if (!matchedRoute.methods.includes(method)) {\n res.statusCode = 405;\n res.setHeader('Allow', matchedRoute.methods.join(', '));\n res.setHeader('Content-Type', 'application/json');\n res.end(JSON.stringify({\n error: 'Method not allowed',\n allowed: matchedRoute.methods\n }));\n return;\n }\n\n console.log(`[maravilla-functions] ${method} ${req.url} → ${matchedRoute.name}`);\n\n // For now, execute the function in a simple way\n // In production, this would use the V8 isolate runtime\n try {\n const functionModule = await import(\n join(server.config.root, '.maravilla/functions-dev/functions.js')\n );\n\n // Create a mock Request object\n const url = new URL(req.url!, `http://localhost:${server.config.server?.port || 5173}`);\n const headers = new Headers();\n Object.entries(req.headers).forEach(([key, value]) => {\n if (typeof value === 'string') {\n headers.append(key, value);\n } else if (Array.isArray(value)) {\n value.forEach(v => headers.append(key, v));\n }\n });\n\n // Get body if present\n let body = null;\n if (req.method && ['POST', 'PUT', 'PATCH'].includes(req.method)) {\n const MAX_BODY_SIZE = 10 * 1024 * 1024; // 10MB\n body = await new Promise<string>((resolve, reject) => {\n let data = '';\n let size = 0;\n req.on('data', (chunk: Buffer | string) => {\n size += typeof chunk === 'string' ? Buffer.byteLength(chunk) : chunk.length;\n if (size > MAX_BODY_SIZE) {\n req.destroy(new Error('Request body too large'));\n reject(new Error('Request body too large'));\n return;\n }\n data += chunk;\n });\n req.on('end', () => resolve(data));\n req.on('error', reject);\n }).catch((err) => {\n res.statusCode = 413;\n res.setHeader('Content-Type', 'application/json');\n res.end(JSON.stringify({ error: 'Payload too large', message: err.message }));\n return null;\n });\n if (body === null) return;\n }\n\n const request = {\n url: url.toString(),\n method: req.method || 'GET',\n headers,\n json: body ? () => Promise.resolve(JSON.parse(body)) : undefined,\n text: () => Promise.resolve(body || ''),\n };\n\n // Call the function handler\n const response = await functionModule.handleFunctionRequest(request);\n\n // Send response\n res.statusCode = response.status || 200;\n Object.entries(response.headers || {}).forEach(([key, value]) => {\n res.setHeader(key, value as string);\n });\n \n if (response instanceof Response) {\n const responseBody = await response.text();\n res.end(responseBody);\n } else {\n res.end(JSON.stringify(response));\n }\n } catch (error: any) {\n console.error('[maravilla-functions] Execution error:', error);\n res.statusCode = 500;\n res.setHeader('Content-Type', 'application/json');\n res.end(JSON.stringify({\n error: 'Function execution failed',\n message: error.message,\n stack: process.env.NODE_ENV === 'development' ? error.stack : undefined\n }));\n }\n });\n },\n\n async closeBundle() {\n if (cleanupWatcher) {\n cleanupWatcher();\n }\n }\n };\n}","/**\n * Platform client for communicating with the dev server\n */\n\nexport interface PlatformClient {\n kv: KvClient;\n db: DbClient;\n}\n\nexport interface KvClient {\n get(namespace: string, key: string): Promise<any>;\n put(namespace: string, key: string, value: any, ttl?: number): Promise<void>;\n delete(namespace: string, key: string): Promise<void>;\n list(namespace: string, options?: KvListOptions): Promise<KvListResponse>;\n}\n\nexport interface DbClient {\n find(collection: string, filter?: any, options?: DbFindOptions): Promise<any[]>;\n findOne(collection: string, filter: any): Promise<any | null>;\n insertOne(collection: string, document: any): Promise<string>;\n updateOne(collection: string, filter: any, update: any): Promise<{ modified: number }>;\n deleteOne(collection: string, filter: any): Promise<{ deleted: number }>;\n}\n\nexport interface KvListOptions {\n prefix?: string;\n limit?: number;\n cursor?: string;\n}\n\nexport interface KvListResponse {\n success: boolean;\n result: Array<{ name: string; expiration?: number; metadata?: any }>;\n result_info: {\n count: number;\n cursor?: string;\n };\n}\n\nexport interface DbFindOptions {\n limit?: number;\n skip?: number;\n sort?: any;\n}\n\nexport function createPlatformClient(baseUrl: string, tenant?: string): PlatformClient {\n const tenantId = tenant || 'dev-tenant';\n const headers = {\n 'Content-Type': 'application/json',\n 'X-Tenant-Id': tenantId,\n };\n\n const fetchWithError = async (url: string, options: RequestInit = {}) => {\n try {\n const response = await fetch(url, {\n ...options,\n headers: {\n ...headers,\n ...options.headers,\n },\n });\n\n if (!response.ok && response.status !== 404) {\n const error = await response.text();\n throw new Error(`Platform API error: ${response.status} - ${error}`);\n }\n\n return response;\n } catch (error) {\n if (error instanceof TypeError && error.message.includes('fetch')) {\n throw new Error(\n `Failed to connect to Maravilla dev server at ${baseUrl}. ` +\n 'Please ensure the dev server is running (cargo run -p dev-server)'\n );\n }\n throw error;\n }\n };\n\n const kv: KvClient = {\n async get(namespace: string, key: string) {\n const response = await fetchWithError(`${baseUrl}/api/kv/${namespace}/${key}`);\n if (response.status === 404) return null;\n return response.json();\n },\n\n async put(namespace: string, key: string, value: any, ttl?: number) {\n const requestHeaders: Record<string, string> = { ...headers };\n if (ttl) {\n requestHeaders['X-TTL'] = ttl.toString();\n }\n\n await fetchWithError(`${baseUrl}/api/kv/${namespace}/${key}`, {\n method: 'PUT',\n headers: requestHeaders,\n body: JSON.stringify(value),\n });\n },\n\n async delete(namespace: string, key: string) {\n await fetchWithError(`${baseUrl}/api/kv/${namespace}/${key}`, {\n method: 'DELETE',\n });\n },\n\n async list(namespace: string, options: KvListOptions = {}) {\n const response = await fetchWithError(`${baseUrl}/api/kv/${namespace}`, {\n method: 'POST',\n body: JSON.stringify(options),\n });\n return response.json() as Promise<KvListResponse>;\n },\n };\n\n const db: DbClient = {\n async find(collection: string, filter: any = {}, options: DbFindOptions = {}) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}`, {\n method: 'POST',\n body: JSON.stringify({ filter, options }),\n });\n return response.json() as Promise<any[]>;\n },\n\n async findOne(collection: string, filter: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}/findOne`, {\n method: 'POST',\n body: JSON.stringify(filter),\n });\n if (response.status === 404) return null;\n return response.json();\n },\n\n async insertOne(collection: string, document: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}`, {\n method: 'PUT',\n body: JSON.stringify(document),\n });\n const result = await response.json() as { id: string };\n return result.id;\n },\n\n async updateOne(collection: string, filter: any, update: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}/update`, {\n method: 'POST',\n body: JSON.stringify({ filter, update }),\n });\n return response.json() as Promise<{ modified: number }>;\n },\n\n async deleteOne(collection: string, filter: any) {\n const response = await fetchWithError(`${baseUrl}/api/db/${collection}/delete`, {\n method: 'DELETE',\n body: JSON.stringify(filter),\n });\n return response.json() as Promise<{ deleted: number }>;\n },\n };\n\n return { kv, db };\n}","import type { Plugin } from 'vite';\n\nexport interface MaravillaPluginOptions {\n /**\n * URL of the Maravilla dev server\n * @default 'http://localhost:3001'\n */\n devServerUrl?: string;\n \n /**\n * Tenant ID for development\n * @default 'dev-tenant'\n */\n tenant?: string;\n}\n\nexport function maravilla(options: MaravillaPluginOptions = {}): Plugin {\n const devServerUrl = options.devServerUrl || 'http://localhost:3001';\n const tenant = options.tenant || 'dev-tenant';\n\n return {\n name: 'vite-plugin-maravilla',\n \n configureServer(server) {\n // Set environment variables that @maravilla/platform will use\n process.env.MARAVILLA_DEV_SERVER = devServerUrl;\n process.env.MARAVILLA_TENANT = tenant;\n \n console.log(`[maravilla] Platform APIs configured for ${devServerUrl}`);\n console.log('[maravilla] Using tenant:', tenant);\n console.log('[maravilla] Apps should use @maravilla/platform to access services');\n \n // Hook into SSR module resolution to ensure platform is available\n server.ssrLoadModule = new Proxy(server.ssrLoadModule, {\n async apply(target, thisArg, args) {\n const result = await Reflect.apply(target, thisArg, args);\n \n // Clear platform cache before each SSR module load to ensure fresh instance\n if ((globalThis as any).__maravilla_platform) {\n delete (globalThis as any).__maravilla_platform;\n }\n \n return result;\n }\n });\n }\n };\n}\n\n// Functions plugin\nexport { maravillaFunctions } from './functions.js';\nexport type { FunctionsPluginOptions } from './functions.js';\n\n// Legacy exports for backwards compatibility\nexport { createPlatformClient } from './client.js';\nexport type { PlatformClient, KvClient, DbClient } from './client.js';"],"mappings":";AACA,SAAS,gBAAgB,yBAAyB;AAClD,SAAS,YAAY;AAYd,SAAS,mBAAmB,UAAkC,CAAC,GAAW;AAC/E,QAAM;AAAA,IACJ,eAAe;AAAA,IACf,gBAAgB;AAAA,IAChB,QAAQ;AAAA,EACV,IAAI;AAEJ,MAAI,kBAAuB;AAC3B,MAAI,iBAAsC;AAE1C,SAAO;AAAA,IACL,MAAM;AAAA,IAEN,MAAM,gBAAgB,QAAuB;AAC3C,YAAM,uBAAuB,KAAK,OAAO,OAAO,MAAM,YAAY;AAGlE,UAAI;AACF,cAAM,OAAO,aAAkB,EAAE,KAAK,QAAM,GAAG,OAAO,oBAAoB,CAAC;AAAA,MAC7E,QAAQ;AACN,gBAAQ,IAAI,yDAAyD,oBAAoB,EAAE;AAC3F;AAAA,MACF;AAEA,cAAQ,IAAI,4CAA4C,oBAAoB,EAAE;AAG9E,UAAI;AACF,0BAAkB,MAAM,eAAe;AAAA,UACrC,cAAc;AAAA,UACd,WAAW,KAAK,OAAO,OAAO,MAAM,0BAA0B;AAAA,UAC9D,YAAY;AAAA,UACZ,QAAQ;AAAA,QACV,CAAC;AAED,gBAAQ,IAAI,+BAA+B,gBAAgB,SAAS,aAAa;AACjF,wBAAgB,OAAO,QAAQ,CAAC,UAAe;AAC7C,kBAAQ,IAAI,KAAK,MAAM,IAAI,WAAM,MAAM,IAAI,KAAK,MAAM,QAAQ,KAAK,IAAI,CAAC,GAAG;AAAA,QAC7E,CAAC;AAAA,MACH,SAAS,OAAO;AACd,gBAAQ,MAAM,uCAAuC,KAAK;AAC1D;AAAA,MACF;AAGA,UAAI,OAAO;AACT,cAAM,UAAU,MAAM,kBAAkB;AAAA,UACtC,cAAc;AAAA,UACd,WAAW,KAAK,OAAO,OAAO,MAAM,0BAA0B;AAAA,UAC9D,OAAO;AAAA,UACP,WAAW,YAAY;AAErB,8BAAkB,MAAM,eAAe;AAAA,cACrC,cAAc;AAAA,cACd,WAAW,KAAK,OAAO,OAAO,MAAM,0BAA0B;AAAA,cAC9D,YAAY;AAAA,cACZ,QAAQ;AAAA,YACV,CAAC;AAGD,mBAAO,GAAG,KAAK;AAAA,cACb,MAAM;AAAA,cACN,OAAO;AAAA,cACP,MAAM,EAAE,QAAQ,gBAAgB,OAAO;AAAA,YACzC,CAAC;AAAA,UACH;AAAA,QACF,CAAC;AACD,yBAAiB,WAAW;AAAA,MAC9B;AAGA,aAAO,YAAY,IAAI,OAAO,KAAK,KAAK,SAAS;AAE/C,YAAI,CAAC,IAAI,KAAK,WAAW,MAAM,GAAG;AAChC,iBAAO,KAAK;AAAA,QACd;AAGA,cAAM,eAAe,iBAAiB,OAAO,KAAK,CAAC,UAAe;AAChE,gBAAM,YAAY,MAAM;AACxB,gBAAM,cAAc,IAAI,KAAK,MAAM,GAAG,EAAE,CAAC;AACzC,iBAAO,cAAc,eACb,cAAc,UAAU,gBAAgB,UACxC,cAAc,UAAU,gBAAgB;AAAA,QAClD,CAAC;AAED,YAAI,CAAC,cAAc;AACjB,iBAAO,KAAK;AAAA,QACd;AAGA,cAAM,SAAS,IAAI,QAAQ,YAAY,KAAK;AAC5C,YAAI,CAAC,aAAa,QAAQ,SAAS,MAAM,GAAG;AAC1C,cAAI,aAAa;AACjB,cAAI,UAAU,SAAS,aAAa,QAAQ,KAAK,IAAI,CAAC;AACtD,cAAI,UAAU,gBAAgB,kBAAkB;AAChD,cAAI,IAAI,KAAK,UAAU;AAAA,YACrB,OAAO;AAAA,YACP,SAAS,aAAa;AAAA,UACxB,CAAC,CAAC;AACF;AAAA,QACF;AAEA,gBAAQ,IAAI,yBAAyB,MAAM,IAAI,IAAI,GAAG,WAAM,aAAa,IAAI,EAAE;AAI/E,YAAI;AACF,gBAAM,iBAAiB,MAAM,OAC3B,KAAK,OAAO,OAAO,MAAM,uCAAuC;AAIlE,gBAAM,MAAM,IAAI,IAAI,IAAI,KAAM,oBAAoB,OAAO,OAAO,QAAQ,QAAQ,IAAI,EAAE;AACtF,gBAAM,UAAU,IAAI,QAAQ;AAC5B,iBAAO,QAAQ,IAAI,OAAO,EAAE,QAAQ,CAAC,CAAC,KAAK,KAAK,MAAM;AACpD,gBAAI,OAAO,UAAU,UAAU;AAC7B,sBAAQ,OAAO,KAAK,KAAK;AAAA,YAC3B,WAAW,MAAM,QAAQ,KAAK,GAAG;AAC/B,oBAAM,QAAQ,OAAK,QAAQ,OAAO,KAAK,CAAC,CAAC;AAAA,YAC3C;AAAA,UACF,CAAC;AAGD,cAAI,OAAO;AACX,cAAI,IAAI,UAAU,CAAC,QAAQ,OAAO,OAAO,EAAE,SAAS,IAAI,MAAM,GAAG;AAC/D,kBAAM,gBAAgB,KAAK,OAAO;AAClC,mBAAO,MAAM,IAAI,QAAgB,CAAC,SAAS,WAAW;AACpD,kBAAI,OAAO;AACX,kBAAI,OAAO;AACX,kBAAI,GAAG,QAAQ,CAAC,UAA2B;AACzC,wBAAQ,OAAO,UAAU,WAAW,OAAO,WAAW,KAAK,IAAI,MAAM;AACrE,oBAAI,OAAO,eAAe;AACxB,sBAAI,QAAQ,IAAI,MAAM,wBAAwB,CAAC;AAC/C,yBAAO,IAAI,MAAM,wBAAwB,CAAC;AAC1C;AAAA,gBACF;AACA,wBAAQ;AAAA,cACV,CAAC;AACD,kBAAI,GAAG,OAAO,MAAM,QAAQ,IAAI,CAAC;AACjC,kBAAI,GAAG,SAAS,MAAM;AAAA,YACxB,CAAC,EAAE,MAAM,CAAC,QAAQ;AAChB,kBAAI,aAAa;AACjB,kBAAI,UAAU,gBAAgB,kBAAkB;AAChD,kBAAI,IAAI,KAAK,UAAU,EAAE,OAAO,qBAAqB,SAAS,IAAI,QAAQ,CAAC,CAAC;AAC5E,qBAAO;AAAA,YACT,CAAC;AACD,gBAAI,SAAS,KAAM;AAAA,UACrB;AAEA,gBAAM,UAAU;AAAA,YACd,KAAK,IAAI,SAAS;AAAA,YAClB,QAAQ,IAAI,UAAU;AAAA,YACtB;AAAA,YACA,MAAM,OAAO,MAAM,QAAQ,QAAQ,KAAK,MAAM,IAAI,CAAC,IAAI;AAAA,YACvD,MAAM,MAAM,QAAQ,QAAQ,QAAQ,EAAE;AAAA,UACxC;AAGA,gBAAM,WAAW,MAAM,eAAe,sBAAsB,OAAO;AAGnE,cAAI,aAAa,SAAS,UAAU;AACpC,iBAAO,QAAQ,SAAS,WAAW,CAAC,CAAC,EAAE,QAAQ,CAAC,CAAC,KAAK,KAAK,MAAM;AAC/D,gBAAI,UAAU,KAAK,KAAe;AAAA,UACpC,CAAC;AAED,cAAI,oBAAoB,UAAU;AAChC,kBAAM,eAAe,MAAM,SAAS,KAAK;AACzC,gBAAI,IAAI,YAAY;AAAA,UACtB,OAAO;AACL,gBAAI,IAAI,KAAK,UAAU,QAAQ,CAAC;AAAA,UAClC;AAAA,QACF,SAAS,OAAY;AACnB,kBAAQ,MAAM,0CAA0C,KAAK;AAC7D,cAAI,aAAa;AACjB,cAAI,UAAU,gBAAgB,kBAAkB;AAChD,cAAI,IAAI,KAAK,UAAU;AAAA,YACrB,OAAO;AAAA,YACP,SAAS,MAAM;AAAA,YACf,OAAO,QAAQ,IAAI,aAAa,gBAAgB,MAAM,QAAQ;AAAA,UAChE,CAAC,CAAC;AAAA,QACJ;AAAA,MACF,CAAC;AAAA,IACH;AAAA,IAEA,MAAM,cAAc;AAClB,UAAI,gBAAgB;AAClB,uBAAe;AAAA,MACjB;AAAA,IACF;AAAA,EACF;AACF;;;ACjKO,SAAS,qBAAqB,SAAiB,QAAiC;AACrF,QAAM,WAAW,UAAU;AAC3B,QAAM,UAAU;AAAA,IACd,gBAAgB;AAAA,IAChB,eAAe;AAAA,EACjB;AAEA,QAAM,iBAAiB,OAAO,KAAa,UAAuB,CAAC,MAAM;AACvE,QAAI;AACF,YAAM,WAAW,MAAM,MAAM,KAAK;AAAA,QAChC,GAAG;AAAA,QACH,SAAS;AAAA,UACP,GAAG;AAAA,UACH,GAAG,QAAQ;AAAA,QACb;AAAA,MACF,CAAC;AAED,UAAI,CAAC,SAAS,MAAM,SAAS,WAAW,KAAK;AAC3C,cAAM,QAAQ,MAAM,SAAS,KAAK;AAClC,cAAM,IAAI,MAAM,uBAAuB,SAAS,MAAM,MAAM,KAAK,EAAE;AAAA,MACrE;AAEA,aAAO;AAAA,IACT,SAAS,OAAO;AACd,UAAI,iBAAiB,aAAa,MAAM,QAAQ,SAAS,OAAO,GAAG;AACjE,cAAM,IAAI;AAAA,UACR,gDAAgD,OAAO;AAAA,QAEzD;AAAA,MACF;AACA,YAAM;AAAA,IACR;AAAA,EACF;AAEA,QAAM,KAAe;AAAA,IACnB,MAAM,IAAI,WAAmB,KAAa;AACxC,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI,GAAG,EAAE;AAC7E,UAAI,SAAS,WAAW,IAAK,QAAO;AACpC,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,IAAI,WAAmB,KAAa,OAAY,KAAc;AAClE,YAAM,iBAAyC,EAAE,GAAG,QAAQ;AAC5D,UAAI,KAAK;AACP,uBAAe,OAAO,IAAI,IAAI,SAAS;AAAA,MACzC;AAEA,YAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI,GAAG,IAAI;AAAA,QAC5D,QAAQ;AAAA,QACR,SAAS;AAAA,QACT,MAAM,KAAK,UAAU,KAAK;AAAA,MAC5B,CAAC;AAAA,IACH;AAAA,IAEA,MAAM,OAAO,WAAmB,KAAa;AAC3C,YAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI,GAAG,IAAI;AAAA,QAC5D,QAAQ;AAAA,MACV,CAAC;AAAA,IACH;AAAA,IAEA,MAAM,KAAK,WAAmB,UAAyB,CAAC,GAAG;AACzD,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,SAAS,IAAI;AAAA,QACtE,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,OAAO;AAAA,MAC9B,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,EACF;AAEA,QAAM,KAAe;AAAA,IACnB,MAAM,KAAK,YAAoB,SAAc,CAAC,GAAG,UAAyB,CAAC,GAAG;AAC5E,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,IAAI;AAAA,QACvE,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,EAAE,QAAQ,QAAQ,CAAC;AAAA,MAC1C,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,QAAQ,YAAoB,QAAa;AAC7C,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,YAAY;AAAA,QAC/E,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,MAAM;AAAA,MAC7B,CAAC;AACD,UAAI,SAAS,WAAW,IAAK,QAAO;AACpC,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,UAAU,YAAoB,UAAe;AACjD,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,IAAI;AAAA,QACvE,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,QAAQ;AAAA,MAC/B,CAAC;AACD,YAAM,SAAS,MAAM,SAAS,KAAK;AACnC,aAAO,OAAO;AAAA,IAChB;AAAA,IAEA,MAAM,UAAU,YAAoB,QAAa,QAAa;AAC5D,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,WAAW;AAAA,QAC9E,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,EAAE,QAAQ,OAAO,CAAC;AAAA,MACzC,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,IAEA,MAAM,UAAU,YAAoB,QAAa;AAC/C,YAAM,WAAW,MAAM,eAAe,GAAG,OAAO,WAAW,UAAU,WAAW;AAAA,QAC9E,QAAQ;AAAA,QACR,MAAM,KAAK,UAAU,MAAM;AAAA,MAC7B,CAAC;AACD,aAAO,SAAS,KAAK;AAAA,IACvB;AAAA,EACF;AAEA,SAAO,EAAE,IAAI,GAAG;AAClB;;;AC/IO,SAAS,UAAU,UAAkC,CAAC,GAAW;AACtE,QAAM,eAAe,QAAQ,gBAAgB;AAC7C,QAAM,SAAS,QAAQ,UAAU;AAEjC,SAAO;AAAA,IACL,MAAM;AAAA,IAEN,gBAAgB,QAAQ;AAEtB,cAAQ,IAAI,uBAAuB;AACnC,cAAQ,IAAI,mBAAmB;AAE/B,cAAQ,IAAI,4CAA4C,YAAY,EAAE;AACtE,cAAQ,IAAI,6BAA6B,MAAM;AAC/C,cAAQ,IAAI,oEAAoE;AAGhF,aAAO,gBAAgB,IAAI,MAAM,OAAO,eAAe;AAAA,QACrD,MAAM,MAAM,QAAQ,SAAS,MAAM;AACjC,gBAAM,SAAS,MAAM,QAAQ,MAAM,QAAQ,SAAS,IAAI;AAGxD,cAAK,WAAmB,sBAAsB;AAC5C,mBAAQ,WAAmB;AAAA,UAC7B;AAEA,iBAAO;AAAA,QACT;AAAA,MACF,CAAC;AAAA,IACH;AAAA,EACF;AACF;","names":[]}
|