@atomixstudio/mcp 1.0.2 → 1.0.3
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 +121 -2
- package/dist/index.js.map +1 -1
- package/package.json +1 -1
package/dist/index.js
CHANGED
|
@@ -272,6 +272,25 @@ server.setRequestHandler(ListToolsRequestSchema, async () => {
|
|
|
272
272
|
},
|
|
273
273
|
required: ["tool"]
|
|
274
274
|
}
|
|
275
|
+
},
|
|
276
|
+
{
|
|
277
|
+
name: "syncTokens",
|
|
278
|
+
description: "Sync design tokens to a local file. Creates or updates a tokens file with the latest values from your design system. Returns a diff of changes.",
|
|
279
|
+
inputSchema: {
|
|
280
|
+
type: "object",
|
|
281
|
+
properties: {
|
|
282
|
+
output: {
|
|
283
|
+
type: "string",
|
|
284
|
+
description: "Output file path relative to project root (e.g., './src/tokens.css', './DesignTokens.swift')"
|
|
285
|
+
},
|
|
286
|
+
format: {
|
|
287
|
+
type: "string",
|
|
288
|
+
enum: ["css", "scss", "less", "json", "ts", "js", "swift", "kotlin", "dart"],
|
|
289
|
+
description: "Output format. WEB: css, scss, less, json, ts, js. NATIVE: swift (iOS), kotlin (Android), dart (Flutter). Default: css"
|
|
290
|
+
}
|
|
291
|
+
},
|
|
292
|
+
required: ["output"]
|
|
293
|
+
}
|
|
275
294
|
}
|
|
276
295
|
]
|
|
277
296
|
};
|
|
@@ -556,13 +575,112 @@ server.setRequestHandler(CallToolRequestSchema, async (request) => {
|
|
|
556
575
|
}]
|
|
557
576
|
};
|
|
558
577
|
}
|
|
578
|
+
case "syncTokens": {
|
|
579
|
+
const output = args?.output;
|
|
580
|
+
const format = args?.format || "css";
|
|
581
|
+
if (!output) {
|
|
582
|
+
return {
|
|
583
|
+
content: [{
|
|
584
|
+
type: "text",
|
|
585
|
+
text: JSON.stringify({ error: "Missing required parameter: output" }, null, 2)
|
|
586
|
+
}]
|
|
587
|
+
};
|
|
588
|
+
}
|
|
589
|
+
let newContent;
|
|
590
|
+
switch (format) {
|
|
591
|
+
case "css":
|
|
592
|
+
newContent = generateCSSOutput(data.cssVariables);
|
|
593
|
+
break;
|
|
594
|
+
case "scss":
|
|
595
|
+
newContent = generateSCSSOutput(data.cssVariables);
|
|
596
|
+
break;
|
|
597
|
+
case "less":
|
|
598
|
+
newContent = generateLessOutput(data.cssVariables);
|
|
599
|
+
break;
|
|
600
|
+
case "json":
|
|
601
|
+
newContent = generateJSONOutput(data.tokens);
|
|
602
|
+
break;
|
|
603
|
+
case "js":
|
|
604
|
+
newContent = generateJSOutput(data.tokens);
|
|
605
|
+
break;
|
|
606
|
+
case "ts":
|
|
607
|
+
newContent = generateTSOutput(data.tokens);
|
|
608
|
+
break;
|
|
609
|
+
case "swift":
|
|
610
|
+
newContent = generateSwiftOutput(data.cssVariables);
|
|
611
|
+
break;
|
|
612
|
+
case "kotlin":
|
|
613
|
+
newContent = generateKotlinOutput(data.cssVariables);
|
|
614
|
+
break;
|
|
615
|
+
case "dart":
|
|
616
|
+
newContent = generateDartOutput(data.cssVariables);
|
|
617
|
+
break;
|
|
618
|
+
default:
|
|
619
|
+
newContent = generateCSSOutput(data.cssVariables);
|
|
620
|
+
}
|
|
621
|
+
const outputPath = path.resolve(process.cwd(), output);
|
|
622
|
+
const fileExists = fs.existsSync(outputPath);
|
|
623
|
+
const tokenCount = Object.keys(data.cssVariables).length;
|
|
624
|
+
let diffSummary = "";
|
|
625
|
+
let changes = [];
|
|
626
|
+
if (fileExists && ["css", "scss", "less"].includes(format)) {
|
|
627
|
+
const oldContent = fs.readFileSync(outputPath, "utf-8");
|
|
628
|
+
const diff = diffTokens(oldContent, data.cssVariables, format);
|
|
629
|
+
const totalChanges = diff.added.length + diff.modified.length + diff.removed.length;
|
|
630
|
+
if (totalChanges === 0) {
|
|
631
|
+
return {
|
|
632
|
+
content: [{
|
|
633
|
+
type: "text",
|
|
634
|
+
text: `\u2713 Already up to date!
|
|
635
|
+
|
|
636
|
+
File: ${output}
|
|
637
|
+
Tokens: ${tokenCount}
|
|
638
|
+
Version: ${data.meta.version}`
|
|
639
|
+
}]
|
|
640
|
+
};
|
|
641
|
+
}
|
|
642
|
+
changes = diff.modified;
|
|
643
|
+
diffSummary = `Changes: ${diff.modified.length} modified, ${diff.added.length} added, ${diff.removed.length} removed`;
|
|
644
|
+
}
|
|
645
|
+
const outputDir = path.dirname(outputPath);
|
|
646
|
+
if (!fs.existsSync(outputDir)) {
|
|
647
|
+
fs.mkdirSync(outputDir, { recursive: true });
|
|
648
|
+
}
|
|
649
|
+
fs.writeFileSync(outputPath, newContent);
|
|
650
|
+
let response = `\u2713 Synced ${tokenCount} tokens to ${output}
|
|
651
|
+
`;
|
|
652
|
+
response += `Format: ${format}
|
|
653
|
+
`;
|
|
654
|
+
response += `Design System: ${data.meta.name} (v${data.meta.version})
|
|
655
|
+
`;
|
|
656
|
+
if (diffSummary) {
|
|
657
|
+
response += `
|
|
658
|
+
${diffSummary}
|
|
659
|
+
`;
|
|
660
|
+
if (changes.length > 0 && changes.length <= 10) {
|
|
661
|
+
response += "\nModified tokens:\n";
|
|
662
|
+
for (const { key, old: oldVal, new: newVal } of changes) {
|
|
663
|
+
response += ` ${key}: ${oldVal} \u2192 ${newVal}
|
|
664
|
+
`;
|
|
665
|
+
}
|
|
666
|
+
}
|
|
667
|
+
} else if (!fileExists) {
|
|
668
|
+
response += "\n(New file created)";
|
|
669
|
+
}
|
|
670
|
+
return {
|
|
671
|
+
content: [{
|
|
672
|
+
type: "text",
|
|
673
|
+
text: response
|
|
674
|
+
}]
|
|
675
|
+
};
|
|
676
|
+
}
|
|
559
677
|
default:
|
|
560
678
|
return {
|
|
561
679
|
content: [{
|
|
562
680
|
type: "text",
|
|
563
681
|
text: JSON.stringify({
|
|
564
682
|
error: `Unknown tool: ${name}`,
|
|
565
|
-
availableTools: ["getToken", "listTokens", "searchTokens", "validateUsage", "getAIToolRules", "exportMCPConfig", "getSetupInstructions"]
|
|
683
|
+
availableTools: ["getToken", "listTokens", "searchTokens", "validateUsage", "getAIToolRules", "exportMCPConfig", "getSetupInstructions", "syncTokens"]
|
|
566
684
|
}, null, 2)
|
|
567
685
|
}]
|
|
568
686
|
};
|
|
@@ -728,7 +846,8 @@ function generateWelcomeMessage(data, stats) {
|
|
|
728
846
|
"validateUsage - Check if a CSS value follows the design system",
|
|
729
847
|
"getAIToolRules - Generate AI coding rules for any tool",
|
|
730
848
|
"exportMCPConfig - Generate MCP config for AI tools",
|
|
731
|
-
"getSetupInstructions - Get setup guide for specific tools"
|
|
849
|
+
"getSetupInstructions - Get setup guide for specific tools",
|
|
850
|
+
"syncTokens - Sync tokens to a local file (css, scss, swift, kotlin, dart, etc.)"
|
|
732
851
|
];
|
|
733
852
|
const categoryBreakdown = Object.entries(stats.byCategory).map(([cat, count]) => ` - ${cat}: ${count} tokens`).join("\n");
|
|
734
853
|
const asciiArt = `
|
package/dist/index.js.map
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"sources":["../src/index.ts"],"sourcesContent":["/**\n * Atomix MCP Server - User Design System Mode\n * \n * A minimal MCP server that serves design tokens from a user's\n * Atomix Design System via the public API.\n * \n * Usage:\n * npx @atomixstudio/mcp --ds-id <id> --api-key <key>\n * \n * Tools:\n * - getToken: Get a specific token by path\n * - listTokens: List tokens in a category\n * - searchTokens: Search for tokens by name or value\n * - validateUsage: Check if a value follows the design system\n * - getAIToolRules: Generate AI coding rules for this design system\n * - exportMCPConfig: Generate MCP configuration files\n * - getSetupInstructions: Get setup guide for AI tools\n * \n * @see https://atomixstudio.eu\n */\n\nimport { Server } from \"@modelcontextprotocol/sdk/server/index.js\";\nimport { StdioServerTransport } from \"@modelcontextprotocol/sdk/server/stdio.js\";\nimport {\n CallToolRequestSchema,\n ListToolsRequestSchema,\n ListResourcesRequestSchema,\n ReadResourceRequestSchema,\n ListPromptsRequestSchema,\n GetPromptRequestSchema,\n} from \"@modelcontextprotocol/sdk/types.js\";\n\n// ============================================\n// TYPES\n// ============================================\n\ninterface ExportedTokens {\n tokens: {\n colors: {\n static: { brand: Record<string, string> };\n modes: { light: Record<string, string>; dark: Record<string, string> };\n };\n typography: Record<string, unknown>;\n spacing: { scale: Record<string, string> };\n sizing: { height: Record<string, string>; icon: Record<string, string> };\n shadows: { elevation: Record<string, string> };\n radius: { scale: Record<string, string> };\n borders: { width: Record<string, string> };\n motion: { duration: Record<string, string>; easing: Record<string, string> };\n zIndex: Record<string, number>;\n };\n cssVariables: Record<string, string>;\n governance: {\n rules: string[];\n categories: Record<string, string[]>;\n };\n meta: {\n name: string;\n version: number;\n exportedAt: string;\n };\n}\n\ninterface DesignSystemData {\n tokens: ExportedTokens[\"tokens\"];\n cssVariables: Record<string, string>;\n governance: ExportedTokens[\"governance\"];\n meta: ExportedTokens[\"meta\"];\n}\n\n// ============================================\n// CLI ARGUMENTS\n// ============================================\n\ninterface CLIArgs {\n command: \"server\" | \"sync\" | \"init\" | \"help\";\n dsId: string | null;\n apiKey: string | null;\n apiBase: string | null;\n output: string | null;\n format: OutputFormat | null;\n exclude: string[];\n yes: boolean; // Auto-confirm\n}\n\nfunction parseArgs(): CLIArgs {\n const args = process.argv.slice(2);\n let command: CLIArgs[\"command\"] = \"server\";\n let dsId: string | null = null;\n let apiKey: string | null = null;\n let apiBase: string | null = null;\n let output: string | null = null;\n let format: CLIArgs[\"format\"] = null;\n let exclude: string[] = [];\n let yes = false;\n\n // Check for subcommand first\n if (args[0] && !args[0].startsWith(\"-\")) {\n const cmd = args[0].toLowerCase();\n if (cmd === \"sync\") command = \"sync\";\n else if (cmd === \"init\") command = \"init\";\n else if (cmd === \"help\" || cmd === \"--help\" || cmd === \"-h\") command = \"help\";\n }\n\n for (let i = 0; i < args.length; i++) {\n if (args[i] === \"--ds-id\" && args[i + 1]) {\n dsId = args[i + 1];\n i++;\n } else if (args[i] === \"--api-key\" && args[i + 1]) {\n apiKey = args[i + 1];\n i++;\n } else if (args[i] === \"--api-base\" && args[i + 1]) {\n apiBase = args[i + 1];\n i++;\n } else if ((args[i] === \"--output\" || args[i] === \"-o\") && args[i + 1]) {\n output = args[i + 1];\n i++;\n } else if (args[i] === \"--format\" && args[i + 1]) {\n const f = args[i + 1].toLowerCase() as OutputFormat;\n const validFormats: OutputFormat[] = [\"css\", \"scss\", \"less\", \"json\", \"ts\", \"js\", \"swift\", \"kotlin\", \"dart\"];\n if (validFormats.includes(f)) format = f;\n i++;\n } else if (args[i] === \"--exclude\" && args[i + 1]) {\n exclude.push(args[i + 1]);\n i++;\n } else if (args[i] === \"-y\" || args[i] === \"--yes\") {\n yes = true;\n }\n }\n\n return { command, dsId, apiKey, apiBase, output, format, exclude, yes };\n}\n\nconst cliArgs = parseArgs();\nconst { dsId, apiKey } = cliArgs;\n// For MCP server mode, use CLI apiBase or default\nconst apiBase = cliArgs.apiBase || \"https://atomixstudio.eu\";\n\n// ============================================\n// TOKEN FETCHING\n// ============================================\n\nlet cachedData: DesignSystemData | null = null;\n\nasync function fetchDesignSystem(): Promise<DesignSystemData> {\n if (cachedData) return cachedData;\n\n if (!dsId) {\n throw new Error(\"Missing --ds-id argument. Usage: npx @atomixstudio/mcp --ds-id <id> --api-key <key>\");\n }\n\n const url = `${apiBase}/api/ds/${dsId}/tokens?format=export`;\n const headers: Record<string, string> = {\n \"Content-Type\": \"application/json\",\n };\n \n if (apiKey) {\n headers[\"x-api-key\"] = apiKey;\n }\n\n const response = await fetch(url, { headers });\n \n if (!response.ok) {\n const text = await response.text();\n throw new Error(`Failed to fetch design system: ${response.status} ${text}`);\n }\n\n const data = await response.json() as DesignSystemData;\n cachedData = data;\n return data;\n}\n\n// ============================================\n// TOKEN UTILITIES\n// ============================================\n\nconst TOKEN_CATEGORIES = [\"colors\", \"typography\", \"spacing\", \"sizing\", \"shadows\", \"radius\", \"borders\", \"motion\", \"zIndex\"] as const;\ntype TokenCategory = typeof TOKEN_CATEGORIES[number];\n\nfunction getTokenByPath(tokens: Record<string, unknown>, path: string): unknown {\n const parts = path.split(\".\");\n let current: unknown = tokens;\n\n for (const part of parts) {\n if (current && typeof current === \"object\" && part in current) {\n current = (current as Record<string, unknown>)[part];\n } else {\n return undefined;\n }\n }\n\n return current;\n}\n\nfunction flattenTokens(obj: unknown, prefix = \"\"): Array<{ path: string; value: unknown }> {\n const results: Array<{ path: string; value: unknown }> = [];\n\n if (obj && typeof obj === \"object\" && !Array.isArray(obj)) {\n for (const [key, value] of Object.entries(obj)) {\n const newPath = prefix ? `${prefix}.${key}` : key;\n \n if (value && typeof value === \"object\" && !Array.isArray(value)) {\n results.push(...flattenTokens(value, newPath));\n } else {\n results.push({ path: newPath, value });\n }\n }\n }\n\n return results;\n}\n\nfunction searchTokens(tokens: Record<string, unknown>, query: string): Array<{ path: string; value: unknown }> {\n const flat = flattenTokens(tokens);\n const lowerQuery = query.toLowerCase();\n \n return flat.filter(({ path, value }) => {\n const pathMatch = path.toLowerCase().includes(lowerQuery);\n const valueMatch = String(value).toLowerCase().includes(lowerQuery);\n return pathMatch || valueMatch;\n });\n}\n\n// ============================================\n// TOKEN COUNTING\n// ============================================\n\nfunction countTokens(tokens: Record<string, unknown>, prefix = \"\"): number {\n let count = 0;\n for (const [key, value] of Object.entries(tokens)) {\n if (value && typeof value === \"object\" && !Array.isArray(value)) {\n count += countTokens(value as Record<string, unknown>, `${prefix}${key}.`);\n } else if (value !== undefined && value !== null) {\n count++;\n }\n }\n return count;\n}\n\nfunction getTokenStats(data: DesignSystemData): {\n total: number;\n byCategory: Record<string, number>;\n cssVariables: number;\n governanceRules: number;\n} {\n const byCategory: Record<string, number> = {};\n let total = 0;\n\n for (const [category, value] of Object.entries(data.tokens)) {\n if (value && typeof value === \"object\") {\n const count = countTokens(value as Record<string, unknown>);\n byCategory[category] = count;\n total += count;\n }\n }\n\n return {\n total,\n byCategory,\n cssVariables: Object.keys(data.cssVariables).length,\n governanceRules: data.governance.rules.length,\n };\n}\n\n// ============================================\n// MCP SERVER SETUP\n// ============================================\n\nconst server = new Server(\n {\n name: \"atomix-mcp-user\",\n version: \"1.0.0\",\n },\n {\n capabilities: {\n tools: {},\n resources: {},\n prompts: {},\n },\n }\n);\n\n// ============================================\n// TOOL DEFINITIONS\n// ============================================\n\nserver.setRequestHandler(ListToolsRequestSchema, async () => {\n return {\n tools: [\n {\n name: \"getToken\",\n description: \"Get a specific design token by its path. Returns the value and CSS variable name.\",\n inputSchema: {\n type: \"object\",\n properties: {\n path: {\n type: \"string\",\n description: \"Token path in dot notation (e.g., 'colors.brand.primary', 'spacing.scale.md')\",\n },\n },\n required: [\"path\"],\n },\n },\n {\n name: \"listTokens\",\n description: \"List all tokens in a category (colors, typography, spacing, sizing, shadows, radius, borders, motion, zIndex).\",\n inputSchema: {\n type: \"object\",\n properties: {\n category: {\n type: \"string\",\n enum: TOKEN_CATEGORIES,\n description: \"Token category to list\",\n },\n subcategory: {\n type: \"string\",\n description: \"Optional subcategory (e.g., 'brand' for colors, 'scale' for spacing)\",\n },\n },\n required: [\"category\"],\n },\n },\n {\n name: \"searchTokens\",\n description: \"Search for tokens by name or value.\",\n inputSchema: {\n type: \"object\",\n properties: {\n query: {\n type: \"string\",\n description: \"Search query (matches token paths or values)\",\n },\n },\n required: [\"query\"],\n },\n },\n {\n name: \"validateUsage\",\n description: \"Check if a CSS value follows the design system. Detects hardcoded values that should use tokens.\",\n inputSchema: {\n type: \"object\",\n properties: {\n value: {\n type: \"string\",\n description: \"CSS value to validate (e.g., '#ff0000', '16px', 'rgb(0,112,97)')\",\n },\n context: {\n type: \"string\",\n enum: [\"color\", \"spacing\", \"radius\", \"shadow\", \"typography\", \"any\"],\n description: \"Context of the value to help find the right token\",\n },\n },\n required: [\"value\"],\n },\n },\n {\n name: \"getAIToolRules\",\n description: \"Generate design system rules for AI coding tools (Cursor, Copilot, Windsurf, etc.).\",\n inputSchema: {\n type: \"object\",\n properties: {\n tool: {\n type: \"string\",\n enum: [\"cursor\", \"copilot\", \"windsurf\", \"cline\", \"continue\", \"zed\", \"generic\", \"all\"],\n description: \"AI tool to generate rules for. Use 'all' to get rules for all tools.\",\n },\n },\n required: [\"tool\"],\n },\n },\n {\n name: \"exportMCPConfig\",\n description: \"Generate MCP configuration file for AI tools.\",\n inputSchema: {\n type: \"object\",\n properties: {\n tool: {\n type: \"string\",\n enum: [\"cursor\", \"claude-desktop\", \"windsurf\", \"continue\", \"vscode\", \"all\"],\n description: \"AI tool to generate MCP config for.\",\n },\n },\n required: [\"tool\"],\n },\n },\n {\n name: \"getSetupInstructions\",\n description: \"Get detailed setup instructions for a specific AI tool.\",\n inputSchema: {\n type: \"object\",\n properties: {\n tool: {\n type: \"string\",\n enum: [\"cursor\", \"copilot\", \"windsurf\", \"cline\", \"continue\", \"zed\", \"claude-desktop\", \"generic\"],\n description: \"AI tool to get setup instructions for.\",\n },\n },\n required: [\"tool\"],\n },\n },\n ],\n };\n});\n\n// ============================================\n// TOOL HANDLERS\n// ============================================\n\nserver.setRequestHandler(CallToolRequestSchema, async (request) => {\n const { name, arguments: args } = request.params;\n\n try {\n const data = await fetchDesignSystem();\n\n switch (name) {\n case \"getToken\": {\n const path = args?.path as string;\n const value = getTokenByPath(data.tokens, path);\n \n if (value === undefined) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Token not found: ${path}`,\n suggestion: \"Use listTokens or searchTokens to find available tokens.\",\n availableCategories: TOKEN_CATEGORIES,\n }, null, 2),\n }],\n };\n }\n\n // Find CSS variable for this path\n const cssVarKey = `--atmx-${path.replace(/\\./g, \"-\")}`;\n const cssVar = data.cssVariables[cssVarKey];\n\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n path,\n value,\n cssVariable: cssVar || `var(${cssVarKey})`,\n usage: `style={{ property: \"var(${cssVarKey})\" }}`,\n }, null, 2),\n }],\n };\n }\n\n case \"listTokens\": {\n const category = args?.category as TokenCategory;\n const subcategory = args?.subcategory as string | undefined;\n \n let tokensToList: unknown = data.tokens[category];\n \n if (subcategory && tokensToList && typeof tokensToList === \"object\") {\n tokensToList = getTokenByPath(tokensToList as Record<string, unknown>, subcategory);\n }\n\n if (!tokensToList) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Category not found: ${category}${subcategory ? `.${subcategory}` : \"\"}`,\n availableCategories: TOKEN_CATEGORIES,\n }, null, 2),\n }],\n };\n }\n\n const flat = flattenTokens(tokensToList);\n \n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n category,\n subcategory,\n count: flat.length,\n tokens: flat.slice(0, 50), // Limit to 50 for readability\n truncated: flat.length > 50,\n }, null, 2),\n }],\n };\n }\n\n case \"searchTokens\": {\n const query = args?.query as string;\n const results = searchTokens(data.tokens, query);\n \n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n query,\n count: results.length,\n results: results.slice(0, 30),\n truncated: results.length > 30,\n }, null, 2),\n }],\n };\n }\n\n case \"validateUsage\": {\n const value = args?.value as string;\n const context = (args?.context as string) || \"any\";\n \n // Check if value is a hardcoded color\n const isHexColor = /^#[0-9A-Fa-f]{3,8}$/.test(value);\n const isRgbColor = /^rgb\\(|^rgba\\(|^hsl\\(/.test(value);\n const isPixelValue = /^\\d+px$/.test(value);\n \n if (!isHexColor && !isRgbColor && !isPixelValue) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n value,\n valid: true,\n message: \"Value appears to be using tokens or is not a design token value.\",\n }, null, 2),\n }],\n };\n }\n\n // Search for matching tokens\n const matches = searchTokens(data.tokens, value);\n \n if (matches.length > 0) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n value,\n valid: false,\n message: \"Hardcoded value detected. Use a token instead.\",\n matchingTokens: matches.slice(0, 5),\n suggestion: `Use var(--atmx-${matches[0].path.replace(/\\./g, \"-\")}) instead of ${value}`,\n }, null, 2),\n }],\n };\n }\n\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n value,\n valid: false,\n message: \"Hardcoded value detected. No exact token match found.\",\n suggestion: `Consider adding this value to the design system or use the closest token.`,\n context,\n }, null, 2),\n }],\n };\n }\n\n case \"getAIToolRules\": {\n const tool = args?.tool as string;\n \n // Fetch rules from the API\n const rulesUrl = `${apiBase}/api/ds/${dsId}/rules?format=${tool === \"all\" ? \"all\" : tool}`;\n console.error(`[getAIToolRules] Fetching: ${rulesUrl}`);\n \n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (apiKey) headers[\"x-api-key\"] = apiKey;\n \n try {\n const response = await fetch(rulesUrl, { headers });\n console.error(`[getAIToolRules] Response status: ${response.status}`);\n \n if (!response.ok) {\n const errorText = await response.text();\n console.error(`[getAIToolRules] Error response: ${errorText}`);\n throw new Error(`Failed to fetch rules: ${response.status} - ${errorText}`);\n }\n\n const rules = await response.json() as { rules?: string[]; categories?: Record<string, string[]> };\n console.error(`[getAIToolRules] Got ${rules.rules?.length || 0} rules`);\n \n return {\n content: [{\n type: \"text\",\n text: JSON.stringify(rules, null, 2),\n }],\n };\n } catch (fetchError) {\n console.error(`[getAIToolRules] Fetch error:`, fetchError);\n throw fetchError;\n }\n }\n\n case \"exportMCPConfig\": {\n const tool = args?.tool as string;\n \n // Generate MCP config locally\n const serverName = data.meta.name.toLowerCase().replace(/[^a-z0-9]/g, \"-\");\n const npxArgs = [\"@atomixstudio/mcp@latest\"];\n if (dsId) npxArgs.push(\"--ds-id\", dsId);\n if (apiKey) npxArgs.push(\"--api-key\", apiKey);\n\n const config = {\n mcpServers: {\n [serverName]: {\n command: \"npx\",\n args: npxArgs,\n },\n },\n };\n\n const configs: Record<string, { path: string; content: string }> = {\n cursor: { path: \".cursor/mcp.json\", content: JSON.stringify(config, null, 2) },\n \"claude-desktop\": { path: \"claude_desktop_config.json\", content: JSON.stringify(config, null, 2) },\n windsurf: { path: \".windsurf/mcp.json\", content: JSON.stringify(config, null, 2) },\n continue: { path: \".continue/config.json\", content: JSON.stringify({ models: [], mcpServers: [{ name: serverName, command: \"npx\", args: npxArgs }] }, null, 2) },\n vscode: { path: \".vscode/settings.json\", content: JSON.stringify({ \"mcp.servers\": config.mcpServers }, null, 2) },\n };\n\n if (tool === \"all\") {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n message: \"MCP configurations for all tools\",\n configs: Object.entries(configs).map(([t, c]) => ({\n tool: t,\n path: c.path,\n content: JSON.parse(c.content),\n })),\n }, null, 2),\n }],\n };\n }\n\n const selectedConfig = configs[tool as keyof typeof configs];\n if (!selectedConfig) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Unknown tool: ${tool}`,\n availableTools: Object.keys(configs),\n }, null, 2),\n }],\n };\n }\n\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n tool,\n path: selectedConfig.path,\n content: JSON.parse(selectedConfig.content),\n instructions: `Create the file at ${selectedConfig.path} with the content above, then restart your IDE.`,\n }, null, 2),\n }],\n };\n }\n\n case \"getSetupInstructions\": {\n const tool = args?.tool as string;\n \n const instructions: Record<string, string> = {\n cursor: `# Cursor MCP Setup\n\n1. Create \\`.cursor/mcp.json\\` in your project root\n2. Add the MCP configuration (use exportMCPConfig to get it)\n3. Restart Cursor IDE\n4. Verify by asking: \"What design tokens are available?\"`,\n\n copilot: `# GitHub Copilot Setup\n\n1. Create \\`.github/copilot-instructions.md\\` in your project\n2. Use getAIToolRules({ tool: \"copilot\" }) to get the content\n3. Enable custom instructions in VS Code settings:\n \"github.copilot.chat.codeGeneration.useInstructionFiles\": true`,\n\n windsurf: `# Windsurf Setup\n\n1. Create \\`.windsurf/mcp.json\\` in your project root\n2. Create \\`.windsurfrules\\` with rules from getAIToolRules\n3. Restart Windsurf Editor`,\n\n cline: `# Cline Setup\n\n1. Create \\`.clinerules\\` in your project root\n2. Cline auto-detects MCP from .cursor/mcp.json`,\n\n continue: `# Continue Setup\n\n1. Create/edit \\`.continue/config.json\\`\n2. Add mcpServers configuration\n3. Restart VS Code`,\n\n zed: `# Zed Setup\n\n1. Create \\`.zed/assistant/rules.md\\` in your project\n2. Use getAIToolRules({ tool: \"zed\" }) for content`,\n\n \"claude-desktop\": `# Claude Desktop Setup\n\n1. Find your Claude config:\n - macOS: ~/Library/Application Support/Claude/claude_desktop_config.json\n - Windows: %APPDATA%\\\\Claude\\\\claude_desktop_config.json\n2. Add MCP server configuration\n3. Restart Claude Desktop`,\n\n generic: `# Generic AI Tool Setup\n\n1. Create AI_GUIDELINES.md in your project root\n2. Use getAIToolRules({ tool: \"generic\" }) for content\n3. Reference in your prompts or context`,\n };\n\n const instruction = instructions[tool];\n if (!instruction) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Unknown tool: ${tool}`,\n availableTools: Object.keys(instructions),\n }, null, 2),\n }],\n };\n }\n\n return {\n content: [{\n type: \"text\",\n text: instruction,\n }],\n };\n }\n\n default:\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Unknown tool: ${name}`,\n availableTools: [\"getToken\", \"listTokens\", \"searchTokens\", \"validateUsage\", \"getAIToolRules\", \"exportMCPConfig\", \"getSetupInstructions\"],\n }, null, 2),\n }],\n };\n }\n } catch (error) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: error instanceof Error ? error.message : \"Unknown error\",\n suggestion: \"Make sure --ds-id and --api-key are correct.\",\n }, null, 2),\n }],\n isError: true,\n };\n }\n});\n\n// ============================================\n// RESOURCE HANDLERS\n// ============================================\n\nconst AI_TOOLS = [\"cursor\", \"copilot\", \"windsurf\", \"cline\", \"continue\", \"zed\", \"generic\"] as const;\n\nserver.setRequestHandler(ListResourcesRequestSchema, async () => {\n const data = await fetchDesignSystem();\n const stats = getTokenStats(data);\n \n const resources = [\n {\n uri: \"atomix://welcome\",\n name: `Welcome to ${data.meta.name}`,\n description: `Design system overview with ${stats.total} tokens and ${stats.governanceRules} governance rules`,\n mimeType: \"text/markdown\",\n },\n ...AI_TOOLS.map(tool => ({\n uri: `atomix://rules/${tool}`,\n name: `${tool.charAt(0).toUpperCase() + tool.slice(1)} Rules`,\n description: `Design system rules file for ${tool}`,\n mimeType: \"text/markdown\",\n })),\n ];\n\n return { resources };\n});\n\nserver.setRequestHandler(ReadResourceRequestSchema, async (request) => {\n const { uri } = request.params;\n const data = await fetchDesignSystem();\n const stats = getTokenStats(data);\n\n // Welcome resource\n if (uri === \"atomix://welcome\") {\n const welcome = generateWelcomeMessage(data, stats);\n return {\n contents: [{\n uri,\n mimeType: \"text/markdown\",\n text: welcome,\n }],\n };\n }\n\n // Rules resources\n const rulesMatch = uri.match(/^atomix:\\/\\/rules\\/(.+)$/);\n if (rulesMatch) {\n const tool = rulesMatch[1];\n if (!AI_TOOLS.includes(tool as typeof AI_TOOLS[number])) {\n throw new Error(`Unknown tool: ${tool}. Available: ${AI_TOOLS.join(\", \")}`);\n }\n\n // Fetch rules from API\n const rulesUrl = `${apiBase}/api/ds/${dsId}/rules?format=${tool}`;\n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (apiKey) headers[\"x-api-key\"] = apiKey;\n\n const response = await fetch(rulesUrl, { headers });\n if (!response.ok) {\n throw new Error(`Failed to fetch rules: ${response.status}`);\n }\n\n const rulesData = await response.json() as { content?: string; tool?: string };\n \n return {\n contents: [{\n uri,\n mimeType: \"text/markdown\",\n text: rulesData.content || JSON.stringify(rulesData, null, 2),\n }],\n };\n }\n\n throw new Error(`Unknown resource: ${uri}`);\n});\n\n// ============================================\n// PROMPTS - Auto-suggest welcome on connection\n// ============================================\n\nserver.setRequestHandler(ListPromptsRequestSchema, async () => {\n return {\n prompts: [\n {\n name: \"welcome\",\n description: \"Get started with this design system - shows overview, available tokens, and tools. Run this first!\",\n },\n {\n name: \"design-system-rules\",\n description: \"Get the design system governance rules for your AI coding tool\",\n arguments: [\n {\n name: \"tool\",\n description: \"AI tool to generate rules for (cursor, copilot, windsurf, cline, continue, zed, generic)\",\n required: false,\n },\n ],\n },\n ],\n };\n});\n\nserver.setRequestHandler(GetPromptRequestSchema, async (request) => {\n const { name, arguments: args } = request.params;\n const data = await fetchDesignSystem();\n const stats = getTokenStats(data);\n\n switch (name) {\n case \"welcome\": {\n const welcome = generateWelcomeMessage(data, stats);\n return {\n description: `Welcome to ${data.meta.name} Design System`,\n messages: [\n {\n role: \"user\" as const,\n content: {\n type: \"text\" as const,\n text: \"Show me the design system overview and available tools.\",\n },\n },\n {\n role: \"assistant\" as const,\n content: {\n type: \"text\" as const,\n text: welcome,\n },\n },\n ],\n };\n }\n\n case \"design-system-rules\": {\n const tool = (args?.tool as string) || \"cursor\";\n const rulesUrl = `${apiBase}/api/ds/${dsId}/rules?format=${tool}`;\n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (apiKey) headers[\"x-api-key\"] = apiKey;\n\n const response = await fetch(rulesUrl, { headers });\n if (!response.ok) {\n throw new Error(`Failed to fetch rules: ${response.status}`);\n }\n\n const rulesData = await response.json() as { content?: string };\n \n return {\n description: `Design system rules for ${tool}`,\n messages: [\n {\n role: \"user\" as const,\n content: {\n type: \"text\" as const,\n text: `Show me the design system rules for ${tool}.`,\n },\n },\n {\n role: \"assistant\" as const,\n content: {\n type: \"text\" as const,\n text: rulesData.content || JSON.stringify(rulesData, null, 2),\n },\n },\n ],\n };\n }\n\n default:\n throw new Error(`Unknown prompt: ${name}`);\n }\n});\n\nfunction generateWelcomeMessage(data: DesignSystemData, stats: ReturnType<typeof getTokenStats>): string {\n const toolsList = [\n \"getToken - Get a specific token by path\",\n \"listTokens - List all tokens in a category\",\n \"searchTokens - Search tokens by name or value\",\n \"validateUsage - Check if a CSS value follows the design system\",\n \"getAIToolRules - Generate AI coding rules for any tool\",\n \"exportMCPConfig - Generate MCP config for AI tools\",\n \"getSetupInstructions - Get setup guide for specific tools\",\n ];\n\n const categoryBreakdown = Object.entries(stats.byCategory)\n .map(([cat, count]) => ` - ${cat}: ${count} tokens`)\n .join(\"\\n\");\n\n const asciiArt = `\n\\`\\`\\`\n ↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘ \n\\`\\`\\`\n`;\n\n return `${asciiArt}\n# Welcome to ${data.meta.name}\n\nYour design system is connected and ready to use.\n\n## Design System Overview\n\n| Metric | Value |\n|--------|-------|\n| Name | ${data.meta.name} |\n| DS ID | ${dsId} |\n| Total Tokens | ${stats.total} |\n| CSS Variables | ${stats.cssVariables} |\n| Governance Rules | ${stats.governanceRules} |\n| Version | ${data.meta.version || 1} |\n\n### Token Breakdown\n\n${categoryBreakdown}\n\n## Available Tools\n\n${toolsList.map((t, i) => `${i + 1}. **${t.split(\" - \")[0]}** - ${t.split(\" - \")[1]}`).join(\"\\n\")}\n\n## Quick Start\n\n### Get a Token\n\\`\\`\\`\nUse getToken with path \"colors.static.brand.primary\"\n\\`\\`\\`\n\n### List All Spacing Tokens\n\\`\\`\\`\nUse listTokens with category \"spacing\"\n\\`\\`\\`\n\n### Validate a Hardcoded Value\n\\`\\`\\`\nUse validateUsage with value \"#ff0000\" and context \"color\"\n\\`\\`\\`\n\n## Resources Available\n\nThis MCP server exposes rules files as resources that your AI tool can read:\n\n| Resource | Description |\n|----------|-------------|\n| \\`atomix://welcome\\` | This welcome message |\n| \\`atomix://rules/cursor\\` | .cursorrules file content |\n| \\`atomix://rules/copilot\\` | GitHub Copilot instructions |\n| \\`atomix://rules/windsurf\\` | .windsurfrules file content |\n| \\`atomix://rules/cline\\` | .clinerules file content |\n| \\`atomix://rules/continue\\` | Continue rules |\n| \\`atomix://rules/zed\\` | Zed assistant rules |\n| \\`atomix://rules/generic\\` | Generic AI guidelines |\n\n## Checking for Updates\n\nYour design system may be updated over time. To ensure you have the latest tokens:\n\n1. **Check version**: The current version is ${data.meta.version || 1}\n2. **Refresh tokens**: Restart the MCP server to fetch latest tokens\n3. **View changes**: Visit https://atomixstudio.eu/ds/${dsId} to see recent changes\n\n---\n\n*Powered by Atomix Studio - https://atomixstudio.eu*\n`;\n}\n\n// ============================================\n// SYNC COMMAND\n// ============================================\n\nimport * as fs from \"fs\";\nimport * as path from \"path\";\nimport * as readline from \"readline\";\n\ntype OutputFormat = \n | \"css\" | \"scss\" | \"less\" // Web CSS-based\n | \"json\" | \"ts\" | \"js\" // Web JS-based\n | \"swift\" | \"kotlin\" | \"dart\"; // Native mobile\n\ninterface AtomixConfig {\n dsId: string;\n apiKey?: string;\n apiBase?: string;\n output: string;\n format: OutputFormat;\n // For future codebase scanning\n include?: string[]; // Glob patterns to include\n exclude?: string[]; // Glob patterns to exclude\n}\n\n// Default file patterns for codebase scanning\nconst DEFAULT_INCLUDE = [\n \"**/*.tsx\", // React TypeScript components\n \"**/*.jsx\", // React JavaScript components\n \"**/*.ts\", // TypeScript files\n \"**/*.js\", // JavaScript files\n \"**/*.css\", // CSS stylesheets\n \"**/*.scss\", // SASS files\n \"**/*.less\", // Less files\n \"**/*.vue\", // Vue components\n \"**/*.svelte\", // Svelte components\n \"**/*.astro\", // Astro components\n];\n\nconst DEFAULT_EXCLUDE = [\n \"node_modules/**\",\n \"dist/**\",\n \"build/**\",\n \".next/**\",\n \".nuxt/**\",\n \".git/**\",\n \"coverage/**\",\n \"**/*.min.js\",\n \"**/*.min.css\",\n \"**/*.d.ts\", // Type definitions\n \"**/*.test.*\", // Test files\n \"**/*.spec.*\", // Spec files\n];\n\nfunction findConfig(): AtomixConfig | null {\n const configNames = [\".atomixrc\", \".atomixrc.json\", \"atomix.config.json\"];\n const cwd = process.cwd();\n \n for (const name of configNames) {\n const configPath = path.join(cwd, name);\n if (fs.existsSync(configPath)) {\n try {\n const content = fs.readFileSync(configPath, \"utf-8\");\n return JSON.parse(content);\n } catch {\n console.error(`Error parsing ${name}`);\n }\n }\n }\n return null;\n}\n\nfunction generateCSSOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"/* Atomix Design System Tokens\",\n \" * Auto-generated - do not edit manually\",\n ` * Synced: ${new Date().toISOString()}`,\n \" */\",\n \"\",\n \":root {\"\n ];\n \n for (const [key, value] of Object.entries(cssVariables)) {\n lines.push(` ${key}: ${value};`);\n }\n \n lines.push(\"}\");\n lines.push(\"\");\n \n return lines.join(\"\\n\");\n}\n\nfunction generateJSONOutput(tokens: ExportedTokens[\"tokens\"]): string {\n return JSON.stringify(tokens, null, 2);\n}\n\nfunction generateTSOutput(tokens: ExportedTokens[\"tokens\"]): string {\n return `// Atomix Design System Tokens\n// Auto-generated - do not edit manually\n// Synced: ${new Date().toISOString()}\n\nexport const tokens = ${JSON.stringify(tokens, null, 2)} as const;\n\nexport type Tokens = typeof tokens;\n`;\n}\n\nfunction generateJSOutput(tokens: ExportedTokens[\"tokens\"]): string {\n return `// Atomix Design System Tokens\n// Auto-generated - do not edit manually\n// Synced: ${new Date().toISOString()}\n\nexport const tokens = ${JSON.stringify(tokens, null, 2)};\n`;\n}\n\nfunction generateSCSSOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"// CSS Custom Properties (for use in CSS/HTML)\",\n \":root {\"\n ];\n \n for (const [key, value] of Object.entries(cssVariables)) {\n lines.push(` ${key}: ${value};`);\n }\n \n lines.push(\"}\");\n lines.push(\"\");\n lines.push(\"// SCSS Variables (for use in SCSS)\");\n \n for (const [key, value] of Object.entries(cssVariables)) {\n // Convert --atmx-color-brand-primary to $atmx-color-brand-primary\n const scssVar = \"$\" + key.replace(/^--/, \"\");\n lines.push(`${scssVar}: ${value};`);\n }\n \n lines.push(\"\");\n \n return lines.join(\"\\n\");\n}\n\nfunction generateLessOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"// CSS Custom Properties (for use in CSS/HTML)\",\n \":root {\"\n ];\n \n for (const [key, value] of Object.entries(cssVariables)) {\n lines.push(` ${key}: ${value};`);\n }\n \n lines.push(\"}\");\n lines.push(\"\");\n lines.push(\"// Less Variables (for use in Less)\");\n \n for (const [key, value] of Object.entries(cssVariables)) {\n // Convert --atmx-color-brand-primary to @atmx-color-brand-primary\n const lessVar = \"@\" + key.replace(/^--/, \"\");\n lines.push(`${lessVar}: ${value};`);\n }\n \n lines.push(\"\");\n \n return lines.join(\"\\n\");\n}\n\n// ============================================\n// NATIVE MOBILE OUTPUT GENERATORS\n// ============================================\n\nfunction toSwiftName(cssVar: string): string {\n // --atmx-color-brand-primary → colorBrandPrimary\n return cssVar\n .replace(/^--atmx-/, \"\")\n .replace(/-([a-z])/g, (_, c) => c.toUpperCase());\n}\n\nfunction toKotlinName(cssVar: string): string {\n // --atmx-color-brand-primary → ColorBrandPrimary\n const camel = toSwiftName(cssVar);\n return camel.charAt(0).toUpperCase() + camel.slice(1);\n}\n\nfunction toDartName(cssVar: string): string {\n // --atmx-color-brand-primary → colorBrandPrimary (same as Swift)\n return toSwiftName(cssVar);\n}\n\nfunction isColorValue(value: string): boolean {\n return /^#[0-9A-Fa-f]{3,8}$/.test(value) || \n /^rgb/.test(value) || \n /^hsl/.test(value);\n}\n\nfunction hexToSwiftColor(hex: string): string {\n // #RRGGBB or #RRGGBBAA\n const clean = hex.replace(\"#\", \"\");\n if (clean.length === 3) {\n // #RGB -> #RRGGBB\n const r = clean[0], g = clean[1], b = clean[2];\n return `Color(hex: 0x${r}${r}${g}${g}${b}${b})`;\n }\n if (clean.length === 6) {\n return `Color(hex: 0x${clean})`;\n }\n if (clean.length === 8) {\n // #RRGGBBAA\n const rgb = clean.substring(0, 6);\n const alpha = parseInt(clean.substring(6, 8), 16) / 255;\n return `Color(hex: 0x${rgb}).opacity(${alpha.toFixed(2)})`;\n }\n return `Color.clear // Could not parse: ${hex}`;\n}\n\nfunction hexToKotlinColor(hex: string): string {\n const clean = hex.replace(\"#\", \"\").toUpperCase();\n if (clean.length === 3) {\n const r = clean[0], g = clean[1], b = clean[2];\n return `Color(0xFF${r}${r}${g}${g}${b}${b})`;\n }\n if (clean.length === 6) {\n return `Color(0xFF${clean})`;\n }\n if (clean.length === 8) {\n // RRGGBBAA -> AARRGGBB for Android\n const rgb = clean.substring(0, 6);\n const alpha = clean.substring(6, 8);\n return `Color(0x${alpha}${rgb})`;\n }\n return `Color.Transparent // Could not parse: ${hex}`;\n}\n\nfunction hexToDartColor(hex: string): string {\n const clean = hex.replace(\"#\", \"\").toUpperCase();\n if (clean.length === 3) {\n const r = clean[0], g = clean[1], b = clean[2];\n return `Color(0xFF${r}${r}${g}${g}${b}${b})`;\n }\n if (clean.length === 6) {\n return `Color(0xFF${clean})`;\n }\n if (clean.length === 8) {\n const rgb = clean.substring(0, 6);\n const alpha = clean.substring(6, 8);\n return `Color(0x${alpha}${rgb})`;\n }\n return `Colors.transparent // Could not parse: ${hex}`;\n}\n\nfunction generateSwiftOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"import SwiftUI\",\n \"\",\n \"// MARK: - Color Extension for Hex\",\n \"extension Color {\",\n \" init(hex: UInt, alpha: Double = 1.0) {\",\n \" self.init(\",\n \" .sRGB,\",\n \" red: Double((hex >> 16) & 0xFF) / 255.0,\",\n \" green: Double((hex >> 8) & 0xFF) / 255.0,\",\n \" blue: Double(hex & 0xFF) / 255.0,\",\n \" opacity: alpha\",\n \" )\",\n \" }\",\n \"}\",\n \"\",\n \"// MARK: - Design Tokens\",\n \"enum DesignTokens {\",\n \"\",\n \" // MARK: Colors\",\n \" enum Colors {\"\n ];\n\n // Group by category\n const colors: Array<[string, string]> = [];\n const spacing: Array<[string, string]> = [];\n const typography: Array<[string, string]> = [];\n const other: Array<[string, string]> = [];\n\n for (const [key, value] of Object.entries(cssVariables)) {\n if (key.includes(\"-color-\")) colors.push([key, value]);\n else if (key.includes(\"-spacing-\")) spacing.push([key, value]);\n else if (key.includes(\"-typography-\") || key.includes(\"-font-\")) typography.push([key, value]);\n else other.push([key, value]);\n }\n\n for (const [key, value] of colors) {\n const name = toSwiftName(key);\n if (isColorValue(value)) {\n lines.push(` static let ${name} = ${hexToSwiftColor(value)}`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" // MARK: Spacing\");\n lines.push(\" enum Spacing {\");\n\n for (const [key, value] of spacing) {\n const name = toSwiftName(key);\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static let ${name}: CGFloat = ${numValue}`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" // MARK: Typography\");\n lines.push(\" enum Typography {\");\n\n for (const [key, value] of typography) {\n const name = toSwiftName(key);\n if (key.includes(\"size\")) {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static let ${name}: CGFloat = ${numValue}`);\n }\n } else if (key.includes(\"weight\")) {\n lines.push(` static let ${name} = \"${value}\"`);\n } else if (key.includes(\"family\")) {\n lines.push(` static let ${name} = \"${value}\"`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" // MARK: Other\");\n lines.push(\" enum Other {\");\n\n for (const [key, value] of other) {\n const name = toSwiftName(key);\n if (isColorValue(value)) {\n lines.push(` static let ${name} = ${hexToSwiftColor(value)}`);\n } else {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static let ${name}: CGFloat = ${numValue}`);\n } else {\n lines.push(` static let ${name} = \"${value}\"`);\n }\n }\n }\n\n lines.push(\" }\");\n lines.push(\"}\");\n lines.push(\"\");\n\n return lines.join(\"\\n\");\n}\n\nfunction generateKotlinOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"package com.atomix.design\",\n \"\",\n \"import androidx.compose.ui.graphics.Color\",\n \"import androidx.compose.ui.unit.dp\",\n \"import androidx.compose.ui.unit.sp\",\n \"\",\n \"object DesignTokens {\",\n \"\",\n \" object Colors {\"\n ];\n\n const colors: Array<[string, string]> = [];\n const spacing: Array<[string, string]> = [];\n const typography: Array<[string, string]> = [];\n const other: Array<[string, string]> = [];\n\n for (const [key, value] of Object.entries(cssVariables)) {\n if (key.includes(\"-color-\")) colors.push([key, value]);\n else if (key.includes(\"-spacing-\")) spacing.push([key, value]);\n else if (key.includes(\"-typography-\") || key.includes(\"-font-\")) typography.push([key, value]);\n else other.push([key, value]);\n }\n\n for (const [key, value] of colors) {\n const name = toKotlinName(key);\n if (isColorValue(value)) {\n lines.push(` val ${name} = ${hexToKotlinColor(value)}`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" object Spacing {\");\n\n for (const [key, value] of spacing) {\n const name = toKotlinName(key);\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` val ${name} = ${numValue}.dp`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" object Typography {\");\n\n for (const [key, value] of typography) {\n const name = toKotlinName(key);\n if (key.includes(\"size\")) {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` val ${name} = ${numValue}.sp`);\n }\n } else {\n lines.push(` const val ${name} = \"${value}\"`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" object Other {\");\n\n for (const [key, value] of other) {\n const name = toKotlinName(key);\n if (isColorValue(value)) {\n lines.push(` val ${name} = ${hexToKotlinColor(value)}`);\n } else {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` val ${name} = ${numValue}.dp`);\n } else {\n lines.push(` const val ${name} = \"${value}\"`);\n }\n }\n }\n\n lines.push(\" }\");\n lines.push(\"}\");\n lines.push(\"\");\n\n return lines.join(\"\\n\");\n}\n\nfunction generateDartOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"import 'package:flutter/material.dart';\",\n \"\",\n \"class DesignTokens {\",\n \" DesignTokens._();\",\n \"\",\n \" // Colors\"\n ];\n\n const colors: Array<[string, string]> = [];\n const spacing: Array<[string, string]> = [];\n const typography: Array<[string, string]> = [];\n const other: Array<[string, string]> = [];\n\n for (const [key, value] of Object.entries(cssVariables)) {\n if (key.includes(\"-color-\")) colors.push([key, value]);\n else if (key.includes(\"-spacing-\")) spacing.push([key, value]);\n else if (key.includes(\"-typography-\") || key.includes(\"-font-\")) typography.push([key, value]);\n else other.push([key, value]);\n }\n\n for (const [key, value] of colors) {\n const name = toDartName(key);\n if (isColorValue(value)) {\n lines.push(` static const ${name} = ${hexToDartColor(value)};`);\n }\n }\n\n lines.push(\"\");\n lines.push(\" // Spacing\");\n\n for (const [key, value] of spacing) {\n const name = toDartName(key);\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static const double ${name} = ${numValue};`);\n }\n }\n\n lines.push(\"\");\n lines.push(\" // Typography\");\n\n for (const [key, value] of typography) {\n const name = toDartName(key);\n if (key.includes(\"size\")) {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static const double ${name} = ${numValue};`);\n }\n } else {\n lines.push(` static const String ${name} = '${value}';`);\n }\n }\n\n lines.push(\"\");\n lines.push(\" // Other\");\n\n for (const [key, value] of other) {\n const name = toDartName(key);\n if (isColorValue(value)) {\n lines.push(` static const ${name} = ${hexToDartColor(value)};`);\n } else {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static const double ${name} = ${numValue};`);\n } else {\n lines.push(` static const String ${name} = '${value}';`);\n }\n }\n }\n\n lines.push(\"}\");\n lines.push(\"\");\n\n return lines.join(\"\\n\");\n}\n\nfunction diffTokens(\n oldContent: string,\n newCssVars: Record<string, string>,\n format: OutputFormat\n): { added: string[]; modified: Array<{ key: string; old: string; new: string }>; removed: string[] } {\n const added: string[] = [];\n const modified: Array<{ key: string; old: string; new: string }> = [];\n const removed: string[] = [];\n\n // CSS-based formats (css, scss, less) all use CSS variables\n if (format === \"css\" || format === \"scss\" || format === \"less\") {\n // Parse old CSS variables\n const oldVars: Record<string, string> = {};\n const varRegex = /(--[\\w-]+):\\s*([^;]+);/g;\n let match;\n while ((match = varRegex.exec(oldContent)) !== null) {\n oldVars[match[1]] = match[2].trim();\n }\n\n // Compare\n for (const [key, value] of Object.entries(newCssVars)) {\n if (!(key in oldVars)) {\n added.push(key);\n } else if (oldVars[key] !== value) {\n modified.push({ key, old: oldVars[key], new: value });\n }\n }\n\n for (const key of Object.keys(oldVars)) {\n if (!(key in newCssVars)) {\n removed.push(key);\n }\n }\n }\n\n return { added, modified, removed };\n}\n\nasync function promptConfirm(message: string): Promise<boolean> {\n const rl = readline.createInterface({\n input: process.stdin,\n output: process.stdout,\n });\n\n return new Promise((resolve) => {\n rl.question(`${message} [Y/n] `, (answer) => {\n rl.close();\n const normalized = answer.toLowerCase().trim();\n resolve(normalized === \"\" || normalized === \"y\" || normalized === \"yes\");\n });\n });\n}\n\nasync function runSync() {\n console.log(\"\");\n console.log(\" ↘↘↘ Atomix Token Sync\");\n console.log(\"\");\n\n // Load config\n const config = findConfig();\n const effectiveDsId = cliArgs.dsId || config?.dsId;\n const effectiveApiKey = cliArgs.apiKey || config?.apiKey;\n const effectiveApiBase = cliArgs.apiBase || config?.apiBase || \"https://atomixstudio.eu\";\n const effectiveOutput = cliArgs.output || config?.output || \"./tokens.css\";\n const effectiveFormat = cliArgs.format || config?.format || \"css\";\n\n if (!effectiveDsId) {\n console.error(\" Error: Missing design system ID\");\n console.error(\"\");\n console.error(\" Either:\");\n console.error(\" 1. Run: npx atomix sync --ds-id <your-ds-id>\");\n console.error(\" 2. Create .atomixrc with { \\\"dsId\\\": \\\"<your-ds-id>\\\" }\");\n console.error(\" 3. Run: npx atomix init\");\n console.error(\"\");\n process.exit(1);\n }\n\n console.log(` Fetching tokens from ${effectiveApiBase}...`);\n\n // Fetch latest tokens\n const url = `${effectiveApiBase}/api/ds/${effectiveDsId}/tokens?format=export`;\n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (effectiveApiKey) headers[\"x-api-key\"] = effectiveApiKey;\n\n let data: ExportedTokens;\n try {\n const response = await fetch(url, { headers });\n if (!response.ok) {\n const errorText = await response.text();\n console.error(` Error: Failed to fetch tokens (${response.status})`);\n console.error(` ${errorText}`);\n process.exit(1);\n }\n data = await response.json() as ExportedTokens;\n } catch (error) {\n console.error(` Error: Could not connect to ${effectiveApiBase}`);\n console.error(` ${error instanceof Error ? error.message : String(error)}`);\n process.exit(1);\n }\n\n console.log(` Design System: ${data.meta.name} (v${data.meta.version})`);\n console.log(\"\");\n\n // Generate new content based on format\n let newContent: string;\n switch (effectiveFormat) {\n case \"css\":\n newContent = generateCSSOutput(data.cssVariables);\n break;\n case \"scss\":\n newContent = generateSCSSOutput(data.cssVariables);\n break;\n case \"less\":\n newContent = generateLessOutput(data.cssVariables);\n break;\n case \"json\":\n newContent = generateJSONOutput(data.tokens);\n break;\n case \"js\":\n newContent = generateJSOutput(data.tokens);\n break;\n case \"ts\":\n newContent = generateTSOutput(data.tokens);\n break;\n case \"swift\":\n newContent = generateSwiftOutput(data.cssVariables);\n break;\n case \"kotlin\":\n newContent = generateKotlinOutput(data.cssVariables);\n break;\n case \"dart\":\n newContent = generateDartOutput(data.cssVariables);\n break;\n default:\n newContent = generateCSSOutput(data.cssVariables);\n break;\n }\n\n // Check if file exists and diff\n const outputPath = path.resolve(process.cwd(), effectiveOutput);\n const fileExists = fs.existsSync(outputPath);\n\n // CSS-based formats support diffing\n const supportsDiff = [\"css\", \"scss\", \"less\"].includes(effectiveFormat);\n if (fileExists && supportsDiff) {\n const oldContent = fs.readFileSync(outputPath, \"utf-8\");\n const diff = diffTokens(oldContent, data.cssVariables, effectiveFormat);\n\n const totalChanges = diff.added.length + diff.modified.length + diff.removed.length;\n\n if (totalChanges === 0) {\n console.log(\" ✓ Already up to date!\");\n console.log(\"\");\n process.exit(0);\n }\n\n console.log(` Changes detected in ${path.basename(effectiveOutput)}:`);\n console.log(\"\");\n\n if (diff.modified.length > 0) {\n for (const { key, old: oldVal, new: newVal } of diff.modified) {\n console.log(` ${key}`);\n console.log(` - ${oldVal}`);\n console.log(` + ${newVal}`);\n }\n }\n\n if (diff.added.length > 0) {\n console.log(` + ${diff.added.length} new token(s)`);\n }\n\n if (diff.removed.length > 0) {\n console.log(` - ${diff.removed.length} removed token(s)`);\n }\n\n console.log(\"\");\n console.log(` Total: ${totalChanges} change(s)`);\n console.log(\"\");\n\n // Confirm\n if (!cliArgs.yes) {\n const confirmed = await promptConfirm(\" Apply changes?\");\n if (!confirmed) {\n console.log(\" Cancelled.\");\n process.exit(0);\n }\n }\n } else if (!fileExists) {\n console.log(` Creating ${effectiveOutput}...`);\n console.log(` ${Object.keys(data.cssVariables).length} tokens`);\n console.log(\"\");\n\n if (!cliArgs.yes) {\n const confirmed = await promptConfirm(\" Create file?\");\n if (!confirmed) {\n console.log(\" Cancelled.\");\n process.exit(0);\n }\n }\n }\n\n // Write file\n const outputDir = path.dirname(outputPath);\n if (!fs.existsSync(outputDir)) {\n fs.mkdirSync(outputDir, { recursive: true });\n }\n fs.writeFileSync(outputPath, newContent);\n\n console.log(\"\");\n console.log(` ✓ Updated ${effectiveOutput}`);\n console.log(\"\");\n}\n\nasync function runInit() {\n console.log(\"\");\n console.log(\" ↘↘↘ Atomix Config Setup\");\n console.log(\"\");\n\n const rl = readline.createInterface({\n input: process.stdin,\n output: process.stdout,\n });\n\n const question = (prompt: string): Promise<string> =>\n new Promise((resolve) => rl.question(prompt, resolve));\n\n const dsId = cliArgs.dsId || await question(\" Design System ID: \");\n const output = await question(\" Output file [./tokens.css]: \") || \"./tokens.css\";\n const format = await question(\" Format (css/json/ts) [css]: \") || \"css\";\n\n rl.close();\n\n const config: AtomixConfig = {\n dsId,\n output,\n format: format as \"css\" | \"json\" | \"ts\",\n };\n\n const configPath = path.join(process.cwd(), \".atomixrc\");\n fs.writeFileSync(configPath, JSON.stringify(config, null, 2) + \"\\n\");\n\n console.log(\"\");\n console.log(` ✓ Created .atomixrc`);\n console.log(\"\");\n console.log(\" Now run: npx atomix sync\");\n console.log(\"\");\n}\n\nfunction showHelp() {\n console.log(`\n ↘↘↘ Atomix CLI\n\n COMMANDS\n sync Sync design tokens to your project\n init Create .atomixrc config file\n help Show this help message\n (none) Start MCP server for AI tools\n\n SYNC OPTIONS\n --ds-id Design system ID (or set in .atomixrc)\n --api-key API key for private design systems\n --output, -o Output file path [./tokens.css]\n --format Output format [css]\n WEB:\n css - CSS custom properties (:root { --var: value })\n scss - CSS vars + SCSS variables ($var: value)\n less - CSS vars + Less variables (@var: value)\n json - Raw token JSON\n ts - TypeScript with types\n js - JavaScript ES module\n NATIVE:\n swift - SwiftUI (iOS/macOS)\n kotlin - Jetpack Compose (Android)\n dart - Flutter\n --exclude Glob pattern to exclude (can use multiple times)\n -y, --yes Auto-confirm changes\n\n MCP SERVER OPTIONS\n --ds-id Design system ID (required)\n --api-key API key for private design systems\n --api-base API base URL [https://atomixstudio.eu]\n\n EXAMPLES\n npx atomix sync\n npx atomix sync --ds-id abc123 -o ./src/tokens.css\n npx atomix sync --format scss -o ./src/styles/_tokens.scss\n npx atomix sync --format ts -o ./src/design-tokens.ts\n npx atomix sync --format swift -o ./Sources/DesignTokens.swift\n npx atomix sync --format kotlin -o ./app/src/.../DesignTokens.kt\n npx atomix sync --format dart -o ./lib/design_tokens.dart\n npx atomix init\n npx atomix --ds-id abc123 (start MCP server)\n\n CONFIG FILE (.atomixrc)\n {\n \"dsId\": \"your-design-system-id\",\n \"output\": \"./src/styles/tokens.css\",\n \"format\": \"css\",\n \"exclude\": [\"legacy/**\", \"vendor/**\"]\n }\n\n DEFAULT SCANNED FILES\n *.tsx, *.jsx, *.ts, *.js, *.css, *.scss, *.less, *.vue, *.svelte\n\n DEFAULT EXCLUDED\n node_modules/**, dist/**, build/**, .next/**, *.min.*, *.d.ts\n`);\n}\n\n// ============================================\n// START SERVER\n// ============================================\n\nasync function startServer() {\n if (!dsId) {\n console.error(\"Error: Missing --ds-id argument\");\n console.error(\"Usage: npx atomix --ds-id <id> --api-key <key>\");\n console.error(\"\");\n console.error(\"For sync command: npx atomix sync --help\");\n console.error(\"Get your DS ID from https://atomixstudio.eu/ds/[your-ds-id]\");\n process.exit(1);\n }\n\n const transport = new StdioServerTransport();\n await server.connect(transport);\n \n // Log to stderr so it doesn't interfere with MCP protocol on stdout\n console.error(`Atomix MCP Server started for design system: ${dsId}`);\n}\n\nasync function main() {\n switch (cliArgs.command) {\n case \"sync\":\n await runSync();\n break;\n case \"init\":\n await runInit();\n break;\n case \"help\":\n showHelp();\n break;\n case \"server\":\n default:\n await startServer();\n break;\n }\n}\n\nmain().catch((error) => {\n console.error(\"Failed:\", error);\n process.exit(1);\n});\n\n"],"mappings":";;;AAqBA,SAAS,cAAc;AACvB,SAAS,4BAA4B;AACrC;AAAA,EACE;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,OACK;AA+/BP,YAAY,QAAQ;AACpB,YAAY,UAAU;AACtB,YAAY,cAAc;AA18B1B,SAAS,YAAqB;AAC5B,QAAM,OAAO,QAAQ,KAAK,MAAM,CAAC;AACjC,MAAI,UAA8B;AAClC,MAAIA,QAAsB;AAC1B,MAAIC,UAAwB;AAC5B,MAAIC,WAAyB;AAC7B,MAAI,SAAwB;AAC5B,MAAI,SAA4B;AAChC,MAAI,UAAoB,CAAC;AACzB,MAAI,MAAM;AAGV,MAAI,KAAK,CAAC,KAAK,CAAC,KAAK,CAAC,EAAE,WAAW,GAAG,GAAG;AACvC,UAAM,MAAM,KAAK,CAAC,EAAE,YAAY;AAChC,QAAI,QAAQ,OAAQ,WAAU;AAAA,aACrB,QAAQ,OAAQ,WAAU;AAAA,aAC1B,QAAQ,UAAU,QAAQ,YAAY,QAAQ,KAAM,WAAU;AAAA,EACzE;AAEA,WAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,KAAK;AACpC,QAAI,KAAK,CAAC,MAAM,aAAa,KAAK,IAAI,CAAC,GAAG;AACxC,MAAAF,QAAO,KAAK,IAAI,CAAC;AACjB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,eAAe,KAAK,IAAI,CAAC,GAAG;AACjD,MAAAC,UAAS,KAAK,IAAI,CAAC;AACnB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,gBAAgB,KAAK,IAAI,CAAC,GAAG;AAClD,MAAAC,WAAU,KAAK,IAAI,CAAC;AACpB;AAAA,IACF,YAAY,KAAK,CAAC,MAAM,cAAc,KAAK,CAAC,MAAM,SAAS,KAAK,IAAI,CAAC,GAAG;AACtE,eAAS,KAAK,IAAI,CAAC;AACnB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,cAAc,KAAK,IAAI,CAAC,GAAG;AAChD,YAAM,IAAI,KAAK,IAAI,CAAC,EAAE,YAAY;AAClC,YAAM,eAA+B,CAAC,OAAO,QAAQ,QAAQ,QAAQ,MAAM,MAAM,SAAS,UAAU,MAAM;AAC1G,UAAI,aAAa,SAAS,CAAC,EAAG,UAAS;AACvC;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,eAAe,KAAK,IAAI,CAAC,GAAG;AACjD,cAAQ,KAAK,KAAK,IAAI,CAAC,CAAC;AACxB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,QAAQ,KAAK,CAAC,MAAM,SAAS;AAClD,YAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO,EAAE,SAAS,MAAAF,OAAM,QAAAC,SAAQ,SAAAC,UAAS,QAAQ,QAAQ,SAAS,IAAI;AACxE;AAEA,IAAM,UAAU,UAAU;AAC1B,IAAM,EAAE,MAAM,OAAO,IAAI;AAEzB,IAAM,UAAU,QAAQ,WAAW;AAMnC,IAAI,aAAsC;AAE1C,eAAe,oBAA+C;AAC5D,MAAI,WAAY,QAAO;AAEvB,MAAI,CAAC,MAAM;AACT,UAAM,IAAI,MAAM,qFAAqF;AAAA,EACvG;AAEA,QAAM,MAAM,GAAG,OAAO,WAAW,IAAI;AACrC,QAAM,UAAkC;AAAA,IACtC,gBAAgB;AAAA,EAClB;AAEA,MAAI,QAAQ;AACV,YAAQ,WAAW,IAAI;AAAA,EACzB;AAEA,QAAM,WAAW,MAAM,MAAM,KAAK,EAAE,QAAQ,CAAC;AAE7C,MAAI,CAAC,SAAS,IAAI;AAChB,UAAM,OAAO,MAAM,SAAS,KAAK;AACjC,UAAM,IAAI,MAAM,kCAAkC,SAAS,MAAM,IAAI,IAAI,EAAE;AAAA,EAC7E;AAEA,QAAM,OAAO,MAAM,SAAS,KAAK;AACjC,eAAa;AACb,SAAO;AACT;AAMA,IAAM,mBAAmB,CAAC,UAAU,cAAc,WAAW,UAAU,WAAW,UAAU,WAAW,UAAU,QAAQ;AAGzH,SAAS,eAAe,QAAiCC,OAAuB;AAC9E,QAAM,QAAQA,MAAK,MAAM,GAAG;AAC5B,MAAI,UAAmB;AAEvB,aAAW,QAAQ,OAAO;AACxB,QAAI,WAAW,OAAO,YAAY,YAAY,QAAQ,SAAS;AAC7D,gBAAW,QAAoC,IAAI;AAAA,IACrD,OAAO;AACL,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;AAEA,SAAS,cAAc,KAAc,SAAS,IAA6C;AACzF,QAAM,UAAmD,CAAC;AAE1D,MAAI,OAAO,OAAO,QAAQ,YAAY,CAAC,MAAM,QAAQ,GAAG,GAAG;AACzD,eAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,GAAG;AAC9C,YAAM,UAAU,SAAS,GAAG,MAAM,IAAI,GAAG,KAAK;AAE9C,UAAI,SAAS,OAAO,UAAU,YAAY,CAAC,MAAM,QAAQ,KAAK,GAAG;AAC/D,gBAAQ,KAAK,GAAG,cAAc,OAAO,OAAO,CAAC;AAAA,MAC/C,OAAO;AACL,gBAAQ,KAAK,EAAE,MAAM,SAAS,MAAM,CAAC;AAAA,MACvC;AAAA,IACF;AAAA,EACF;AAEA,SAAO;AACT;AAEA,SAAS,aAAa,QAAiC,OAAwD;AAC7G,QAAM,OAAO,cAAc,MAAM;AACjC,QAAM,aAAa,MAAM,YAAY;AAErC,SAAO,KAAK,OAAO,CAAC,EAAE,MAAAA,OAAM,MAAM,MAAM;AACtC,UAAM,YAAYA,MAAK,YAAY,EAAE,SAAS,UAAU;AACxD,UAAM,aAAa,OAAO,KAAK,EAAE,YAAY,EAAE,SAAS,UAAU;AAClE,WAAO,aAAa;AAAA,EACtB,CAAC;AACH;AAMA,SAAS,YAAY,QAAiC,SAAS,IAAY;AACzE,MAAI,QAAQ;AACZ,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,MAAM,GAAG;AACjD,QAAI,SAAS,OAAO,UAAU,YAAY,CAAC,MAAM,QAAQ,KAAK,GAAG;AAC/D,eAAS,YAAY,OAAkC,GAAG,MAAM,GAAG,GAAG,GAAG;AAAA,IAC3E,WAAW,UAAU,UAAa,UAAU,MAAM;AAChD;AAAA,IACF;AAAA,EACF;AACA,SAAO;AACT;AAEA,SAAS,cAAc,MAKrB;AACA,QAAM,aAAqC,CAAC;AAC5C,MAAI,QAAQ;AAEZ,aAAW,CAAC,UAAU,KAAK,KAAK,OAAO,QAAQ,KAAK,MAAM,GAAG;AAC3D,QAAI,SAAS,OAAO,UAAU,UAAU;AACtC,YAAM,QAAQ,YAAY,KAAgC;AAC1D,iBAAW,QAAQ,IAAI;AACvB,eAAS;AAAA,IACX;AAAA,EACF;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA,cAAc,OAAO,KAAK,KAAK,YAAY,EAAE;AAAA,IAC7C,iBAAiB,KAAK,WAAW,MAAM;AAAA,EACzC;AACF;AAMA,IAAM,SAAS,IAAI;AAAA,EACjB;AAAA,IACE,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,cAAc;AAAA,MACZ,OAAO,CAAC;AAAA,MACR,WAAW,CAAC;AAAA,MACZ,SAAS,CAAC;AAAA,IACZ;AAAA,EACF;AACF;AAMA,OAAO,kBAAkB,wBAAwB,YAAY;AAC3D,SAAO;AAAA,IACL,OAAO;AAAA,MACL;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,UAAU;AAAA,cACR,MAAM;AAAA,cACN,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,YACA,aAAa;AAAA,cACX,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,UAAU;AAAA,QACvB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,OAAO;AAAA,cACL,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,OAAO;AAAA,QACpB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,OAAO;AAAA,cACL,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,YACA,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM,CAAC,SAAS,WAAW,UAAU,UAAU,cAAc,KAAK;AAAA,cAClE,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,OAAO;AAAA,QACpB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,MAAM,CAAC,UAAU,WAAW,YAAY,SAAS,YAAY,OAAO,WAAW,KAAK;AAAA,cACpF,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,MAAM,CAAC,UAAU,kBAAkB,YAAY,YAAY,UAAU,KAAK;AAAA,cAC1E,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,MAAM,CAAC,UAAU,WAAW,YAAY,SAAS,YAAY,OAAO,kBAAkB,SAAS;AAAA,cAC/F,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,IACF;AAAA,EACF;AACF,CAAC;AAMD,OAAO,kBAAkB,uBAAuB,OAAO,YAAY;AACjE,QAAM,EAAE,MAAM,WAAW,KAAK,IAAI,QAAQ;AAE1C,MAAI;AACF,UAAM,OAAO,MAAM,kBAAkB;AAErC,YAAQ,MAAM;AAAA,MACZ,KAAK,YAAY;AACf,cAAMA,QAAO,MAAM;AACnB,cAAM,QAAQ,eAAe,KAAK,QAAQA,KAAI;AAE9C,YAAI,UAAU,QAAW;AACvB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,oBAAoBA,KAAI;AAAA,gBAC/B,YAAY;AAAA,gBACZ,qBAAqB;AAAA,cACvB,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAGA,cAAM,YAAY,UAAUA,MAAK,QAAQ,OAAO,GAAG,CAAC;AACpD,cAAM,SAAS,KAAK,aAAa,SAAS;AAE1C,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB,MAAAA;AAAA,cACA;AAAA,cACA,aAAa,UAAU,OAAO,SAAS;AAAA,cACvC,OAAO,2BAA2B,SAAS;AAAA,YAC7C,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,cAAc;AACjB,cAAM,WAAW,MAAM;AACvB,cAAM,cAAc,MAAM;AAE1B,YAAI,eAAwB,KAAK,OAAO,QAAQ;AAEhD,YAAI,eAAe,gBAAgB,OAAO,iBAAiB,UAAU;AACnE,yBAAe,eAAe,cAAyC,WAAW;AAAA,QACpF;AAEA,YAAI,CAAC,cAAc;AACjB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,uBAAuB,QAAQ,GAAG,cAAc,IAAI,WAAW,KAAK,EAAE;AAAA,gBAC7E,qBAAqB;AAAA,cACvB,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,cAAM,OAAO,cAAc,YAAY;AAEvC,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA;AAAA,cACA,OAAO,KAAK;AAAA,cACZ,QAAQ,KAAK,MAAM,GAAG,EAAE;AAAA;AAAA,cACxB,WAAW,KAAK,SAAS;AAAA,YAC3B,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,gBAAgB;AACnB,cAAM,QAAQ,MAAM;AACpB,cAAM,UAAU,aAAa,KAAK,QAAQ,KAAK;AAE/C,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA,OAAO,QAAQ;AAAA,cACf,SAAS,QAAQ,MAAM,GAAG,EAAE;AAAA,cAC5B,WAAW,QAAQ,SAAS;AAAA,YAC9B,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,iBAAiB;AACpB,cAAM,QAAQ,MAAM;AACpB,cAAM,UAAW,MAAM,WAAsB;AAG7C,cAAM,aAAa,sBAAsB,KAAK,KAAK;AACnD,cAAM,aAAa,wBAAwB,KAAK,KAAK;AACrD,cAAM,eAAe,UAAU,KAAK,KAAK;AAEzC,YAAI,CAAC,cAAc,CAAC,cAAc,CAAC,cAAc;AAC/C,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB;AAAA,gBACA,OAAO;AAAA,gBACP,SAAS;AAAA,cACX,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAGA,cAAM,UAAU,aAAa,KAAK,QAAQ,KAAK;AAE/C,YAAI,QAAQ,SAAS,GAAG;AACtB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB;AAAA,gBACA,OAAO;AAAA,gBACP,SAAS;AAAA,gBACT,gBAAgB,QAAQ,MAAM,GAAG,CAAC;AAAA,gBAClC,YAAY,kBAAkB,QAAQ,CAAC,EAAE,KAAK,QAAQ,OAAO,GAAG,CAAC,gBAAgB,KAAK;AAAA,cACxF,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA,OAAO;AAAA,cACP,SAAS;AAAA,cACT,YAAY;AAAA,cACZ;AAAA,YACF,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,kBAAkB;AACrB,cAAM,OAAO,MAAM;AAGnB,cAAM,WAAW,GAAG,OAAO,WAAW,IAAI,iBAAiB,SAAS,QAAQ,QAAQ,IAAI;AACxF,gBAAQ,MAAM,8BAA8B,QAAQ,EAAE;AAEtD,cAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,YAAI,OAAQ,SAAQ,WAAW,IAAI;AAEnC,YAAI;AACF,gBAAM,WAAW,MAAM,MAAM,UAAU,EAAE,QAAQ,CAAC;AAClD,kBAAQ,MAAM,qCAAqC,SAAS,MAAM,EAAE;AAEpE,cAAI,CAAC,SAAS,IAAI;AAChB,kBAAM,YAAY,MAAM,SAAS,KAAK;AACtC,oBAAQ,MAAM,oCAAoC,SAAS,EAAE;AAC7D,kBAAM,IAAI,MAAM,0BAA0B,SAAS,MAAM,MAAM,SAAS,EAAE;AAAA,UAC5E;AAEA,gBAAM,QAAQ,MAAM,SAAS,KAAK;AAClC,kBAAQ,MAAM,wBAAwB,MAAM,OAAO,UAAU,CAAC,QAAQ;AAEtE,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU,OAAO,MAAM,CAAC;AAAA,YACrC,CAAC;AAAA,UACH;AAAA,QACF,SAAS,YAAY;AACnB,kBAAQ,MAAM,iCAAiC,UAAU;AACzD,gBAAM;AAAA,QACR;AAAA,MACF;AAAA,MAEA,KAAK,mBAAmB;AACtB,cAAM,OAAO,MAAM;AAGnB,cAAM,aAAa,KAAK,KAAK,KAAK,YAAY,EAAE,QAAQ,cAAc,GAAG;AACzE,cAAM,UAAU,CAAC,0BAA0B;AAC3C,YAAI,KAAM,SAAQ,KAAK,WAAW,IAAI;AACtC,YAAI,OAAQ,SAAQ,KAAK,aAAa,MAAM;AAE5C,cAAM,SAAS;AAAA,UACb,YAAY;AAAA,YACV,CAAC,UAAU,GAAG;AAAA,cACZ,SAAS;AAAA,cACT,MAAM;AAAA,YACR;AAAA,UACF;AAAA,QACF;AAEA,cAAM,UAA6D;AAAA,UACjE,QAAQ,EAAE,MAAM,oBAAoB,SAAS,KAAK,UAAU,QAAQ,MAAM,CAAC,EAAE;AAAA,UAC7E,kBAAkB,EAAE,MAAM,8BAA8B,SAAS,KAAK,UAAU,QAAQ,MAAM,CAAC,EAAE;AAAA,UACjG,UAAU,EAAE,MAAM,sBAAsB,SAAS,KAAK,UAAU,QAAQ,MAAM,CAAC,EAAE;AAAA,UACjF,UAAU,EAAE,MAAM,yBAAyB,SAAS,KAAK,UAAU,EAAE,QAAQ,CAAC,GAAG,YAAY,CAAC,EAAE,MAAM,YAAY,SAAS,OAAO,MAAM,QAAQ,CAAC,EAAE,GAAG,MAAM,CAAC,EAAE;AAAA,UAC/J,QAAQ,EAAE,MAAM,yBAAyB,SAAS,KAAK,UAAU,EAAE,eAAe,OAAO,WAAW,GAAG,MAAM,CAAC,EAAE;AAAA,QAClH;AAEA,YAAI,SAAS,OAAO;AAClB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,SAAS;AAAA,gBACT,SAAS,OAAO,QAAQ,OAAO,EAAE,IAAI,CAAC,CAAC,GAAG,CAAC,OAAO;AAAA,kBAChD,MAAM;AAAA,kBACN,MAAM,EAAE;AAAA,kBACR,SAAS,KAAK,MAAM,EAAE,OAAO;AAAA,gBAC/B,EAAE;AAAA,cACJ,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,cAAM,iBAAiB,QAAQ,IAA4B;AAC3D,YAAI,CAAC,gBAAgB;AACnB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,iBAAiB,IAAI;AAAA,gBAC5B,gBAAgB,OAAO,KAAK,OAAO;AAAA,cACrC,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA,MAAM,eAAe;AAAA,cACrB,SAAS,KAAK,MAAM,eAAe,OAAO;AAAA,cAC1C,cAAc,sBAAsB,eAAe,IAAI;AAAA,YACzD,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,wBAAwB;AAC3B,cAAM,OAAO,MAAM;AAEnB,cAAM,eAAuC;AAAA,UAC3C,QAAQ;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,UAOR,SAAS;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,UAOT,UAAU;AAAA;AAAA;AAAA;AAAA;AAAA,UAMV,OAAO;AAAA;AAAA;AAAA;AAAA,UAKP,UAAU;AAAA;AAAA;AAAA;AAAA;AAAA,UAMV,KAAK;AAAA;AAAA;AAAA;AAAA,UAKL,kBAAkB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,UAQlB,SAAS;AAAA;AAAA;AAAA;AAAA;AAAA,QAKX;AAEA,cAAM,cAAc,aAAa,IAAI;AACrC,YAAI,CAAC,aAAa;AAChB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,iBAAiB,IAAI;AAAA,gBAC5B,gBAAgB,OAAO,KAAK,YAAY;AAAA,cAC1C,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM;AAAA,UACR,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA;AACE,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB,OAAO,iBAAiB,IAAI;AAAA,cAC5B,gBAAgB,CAAC,YAAY,cAAc,gBAAgB,iBAAiB,kBAAkB,mBAAmB,sBAAsB;AAAA,YACzI,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,IACJ;AAAA,EACF,SAAS,OAAO;AACd,WAAO;AAAA,MACL,SAAS,CAAC;AAAA,QACR,MAAM;AAAA,QACN,MAAM,KAAK,UAAU;AAAA,UACnB,OAAO,iBAAiB,QAAQ,MAAM,UAAU;AAAA,UAChD,YAAY;AAAA,QACd,GAAG,MAAM,CAAC;AAAA,MACZ,CAAC;AAAA,MACD,SAAS;AAAA,IACX;AAAA,EACF;AACF,CAAC;AAMD,IAAM,WAAW,CAAC,UAAU,WAAW,YAAY,SAAS,YAAY,OAAO,SAAS;AAExF,OAAO,kBAAkB,4BAA4B,YAAY;AAC/D,QAAM,OAAO,MAAM,kBAAkB;AACrC,QAAM,QAAQ,cAAc,IAAI;AAEhC,QAAM,YAAY;AAAA,IAChB;AAAA,MACE,KAAK;AAAA,MACL,MAAM,cAAc,KAAK,KAAK,IAAI;AAAA,MAClC,aAAa,+BAA+B,MAAM,KAAK,eAAe,MAAM,eAAe;AAAA,MAC3F,UAAU;AAAA,IACZ;AAAA,IACA,GAAG,SAAS,IAAI,WAAS;AAAA,MACvB,KAAK,kBAAkB,IAAI;AAAA,MAC3B,MAAM,GAAG,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,MAAM,CAAC,CAAC;AAAA,MACrD,aAAa,gCAAgC,IAAI;AAAA,MACjD,UAAU;AAAA,IACZ,EAAE;AAAA,EACJ;AAEA,SAAO,EAAE,UAAU;AACrB,CAAC;AAED,OAAO,kBAAkB,2BAA2B,OAAO,YAAY;AACrE,QAAM,EAAE,IAAI,IAAI,QAAQ;AACxB,QAAM,OAAO,MAAM,kBAAkB;AACrC,QAAM,QAAQ,cAAc,IAAI;AAGhC,MAAI,QAAQ,oBAAoB;AAC9B,UAAM,UAAU,uBAAuB,MAAM,KAAK;AAClD,WAAO;AAAA,MACL,UAAU,CAAC;AAAA,QACT;AAAA,QACA,UAAU;AAAA,QACV,MAAM;AAAA,MACR,CAAC;AAAA,IACH;AAAA,EACF;AAGA,QAAM,aAAa,IAAI,MAAM,0BAA0B;AACvD,MAAI,YAAY;AACd,UAAM,OAAO,WAAW,CAAC;AACzB,QAAI,CAAC,SAAS,SAAS,IAA+B,GAAG;AACvD,YAAM,IAAI,MAAM,iBAAiB,IAAI,gBAAgB,SAAS,KAAK,IAAI,CAAC,EAAE;AAAA,IAC5E;AAGA,UAAM,WAAW,GAAG,OAAO,WAAW,IAAI,iBAAiB,IAAI;AAC/D,UAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,QAAI,OAAQ,SAAQ,WAAW,IAAI;AAEnC,UAAM,WAAW,MAAM,MAAM,UAAU,EAAE,QAAQ,CAAC;AAClD,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,IAAI,MAAM,0BAA0B,SAAS,MAAM,EAAE;AAAA,IAC7D;AAEA,UAAM,YAAY,MAAM,SAAS,KAAK;AAEtC,WAAO;AAAA,MACL,UAAU,CAAC;AAAA,QACT;AAAA,QACA,UAAU;AAAA,QACV,MAAM,UAAU,WAAW,KAAK,UAAU,WAAW,MAAM,CAAC;AAAA,MAC9D,CAAC;AAAA,IACH;AAAA,EACF;AAEA,QAAM,IAAI,MAAM,qBAAqB,GAAG,EAAE;AAC5C,CAAC;AAMD,OAAO,kBAAkB,0BAA0B,YAAY;AAC7D,SAAO;AAAA,IACL,SAAS;AAAA,MACP;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,MACf;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,WAAW;AAAA,UACT;AAAA,YACE,MAAM;AAAA,YACN,aAAa;AAAA,YACb,UAAU;AAAA,UACZ;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,EACF;AACF,CAAC;AAED,OAAO,kBAAkB,wBAAwB,OAAO,YAAY;AAClE,QAAM,EAAE,MAAM,WAAW,KAAK,IAAI,QAAQ;AAC1C,QAAM,OAAO,MAAM,kBAAkB;AACrC,QAAM,QAAQ,cAAc,IAAI;AAEhC,UAAQ,MAAM;AAAA,IACZ,KAAK,WAAW;AACd,YAAM,UAAU,uBAAuB,MAAM,KAAK;AAClD,aAAO;AAAA,QACL,aAAa,cAAc,KAAK,KAAK,IAAI;AAAA,QACzC,UAAU;AAAA,UACR;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM;AAAA,YACR;AAAA,UACF;AAAA,UACA;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM;AAAA,YACR;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,IAEA,KAAK,uBAAuB;AAC1B,YAAM,OAAQ,MAAM,QAAmB;AACvC,YAAM,WAAW,GAAG,OAAO,WAAW,IAAI,iBAAiB,IAAI;AAC/D,YAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,UAAI,OAAQ,SAAQ,WAAW,IAAI;AAEnC,YAAM,WAAW,MAAM,MAAM,UAAU,EAAE,QAAQ,CAAC;AAClD,UAAI,CAAC,SAAS,IAAI;AAChB,cAAM,IAAI,MAAM,0BAA0B,SAAS,MAAM,EAAE;AAAA,MAC7D;AAEA,YAAM,YAAY,MAAM,SAAS,KAAK;AAEtC,aAAO;AAAA,QACL,aAAa,2BAA2B,IAAI;AAAA,QAC5C,UAAU;AAAA,UACR;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM,uCAAuC,IAAI;AAAA,YACnD;AAAA,UACF;AAAA,UACA;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM,UAAU,WAAW,KAAK,UAAU,WAAW,MAAM,CAAC;AAAA,YAC9D;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,IAEA;AACE,YAAM,IAAI,MAAM,mBAAmB,IAAI,EAAE;AAAA,EAC7C;AACF,CAAC;AAED,SAAS,uBAAuB,MAAwB,OAAiD;AACvG,QAAM,YAAY;AAAA,IAChB;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,oBAAoB,OAAO,QAAQ,MAAM,UAAU,EACtD,IAAI,CAAC,CAAC,KAAK,KAAK,MAAM,OAAO,GAAG,KAAK,KAAK,SAAS,EACnD,KAAK,IAAI;AAEZ,QAAM,WAAW;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AA+BjB,SAAO,GAAG,QAAQ;AAAA,eACL,KAAK,KAAK,IAAI;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,WAQlB,KAAK,KAAK,IAAI;AAAA,YACb,IAAI;AAAA,mBACG,MAAM,KAAK;AAAA,oBACV,MAAM,YAAY;AAAA,uBACf,MAAM,eAAe;AAAA,cAC9B,KAAK,KAAK,WAAW,CAAC;AAAA;AAAA;AAAA;AAAA,EAIlC,iBAAiB;AAAA;AAAA;AAAA;AAAA,EAIjB,UAAU,IAAI,CAAC,GAAG,MAAM,GAAG,IAAI,CAAC,OAAO,EAAE,MAAM,KAAK,EAAE,CAAC,CAAC,QAAQ,EAAE,MAAM,KAAK,EAAE,CAAC,CAAC,EAAE,EAAE,KAAK,IAAI,CAAC;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,+CAsClD,KAAK,KAAK,WAAW,CAAC;AAAA;AAAA,wDAEb,IAAI;AAAA;AAAA;AAAA;AAAA;AAAA;AAM5D;AAuDA,SAAS,aAAkC;AACzC,QAAM,cAAc,CAAC,aAAa,kBAAkB,oBAAoB;AACxE,QAAM,MAAM,QAAQ,IAAI;AAExB,aAAW,QAAQ,aAAa;AAC9B,UAAM,aAAkB,UAAK,KAAK,IAAI;AACtC,QAAO,cAAW,UAAU,GAAG;AAC7B,UAAI;AACF,cAAM,UAAa,gBAAa,YAAY,OAAO;AACnD,eAAO,KAAK,MAAM,OAAO;AAAA,MAC3B,QAAQ;AACN,gBAAQ,MAAM,iBAAiB,IAAI,EAAE;AAAA,MACvC;AAAA,IACF;AAAA,EACF;AACA,SAAO;AACT;AAEA,SAAS,kBAAkB,cAA8C;AACvE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,UAAM,KAAK,KAAK,GAAG,KAAK,KAAK,GAAG;AAAA,EAClC;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,mBAAmB,QAA0C;AACpE,SAAO,KAAK,UAAU,QAAQ,MAAM,CAAC;AACvC;AAEA,SAAS,iBAAiB,QAA0C;AAClE,SAAO;AAAA;AAAA,cAEI,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA;AAAA,wBAEb,KAAK,UAAU,QAAQ,MAAM,CAAC,CAAC;AAAA;AAAA;AAAA;AAIvD;AAEA,SAAS,iBAAiB,QAA0C;AAClE,SAAO;AAAA;AAAA,cAEI,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA;AAAA,wBAEb,KAAK,UAAU,QAAQ,MAAM,CAAC,CAAC;AAAA;AAEvD;AAEA,SAAS,mBAAmB,cAA8C;AACxE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,UAAM,KAAK,KAAK,GAAG,KAAK,KAAK,GAAG;AAAA,EAClC;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,qCAAqC;AAEhD,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AAEvD,UAAM,UAAU,MAAM,IAAI,QAAQ,OAAO,EAAE;AAC3C,UAAM,KAAK,GAAG,OAAO,KAAK,KAAK,GAAG;AAAA,EACpC;AAEA,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,mBAAmB,cAA8C;AACxE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,UAAM,KAAK,KAAK,GAAG,KAAK,KAAK,GAAG;AAAA,EAClC;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,qCAAqC;AAEhD,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AAEvD,UAAM,UAAU,MAAM,IAAI,QAAQ,OAAO,EAAE;AAC3C,UAAM,KAAK,GAAG,OAAO,KAAK,KAAK,GAAG;AAAA,EACpC;AAEA,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAMA,SAAS,YAAY,QAAwB;AAE3C,SAAO,OACJ,QAAQ,YAAY,EAAE,EACtB,QAAQ,aAAa,CAAC,GAAG,MAAM,EAAE,YAAY,CAAC;AACnD;AAEA,SAAS,aAAa,QAAwB;AAE5C,QAAM,QAAQ,YAAY,MAAM;AAChC,SAAO,MAAM,OAAO,CAAC,EAAE,YAAY,IAAI,MAAM,MAAM,CAAC;AACtD;AAEA,SAAS,WAAW,QAAwB;AAE1C,SAAO,YAAY,MAAM;AAC3B;AAEA,SAAS,aAAa,OAAwB;AAC5C,SAAO,sBAAsB,KAAK,KAAK,KAChC,OAAO,KAAK,KAAK,KACjB,OAAO,KAAK,KAAK;AAC1B;AAEA,SAAS,gBAAgB,KAAqB;AAE5C,QAAM,QAAQ,IAAI,QAAQ,KAAK,EAAE;AACjC,MAAI,MAAM,WAAW,GAAG;AAEtB,UAAM,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC;AAC7C,WAAO,gBAAgB,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC;AAAA,EAC9C;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AACA,MAAI,MAAM,WAAW,GAAG;AAEtB,UAAM,MAAM,MAAM,UAAU,GAAG,CAAC;AAChC,UAAM,QAAQ,SAAS,MAAM,UAAU,GAAG,CAAC,GAAG,EAAE,IAAI;AACpD,WAAO,gBAAgB,GAAG,aAAa,MAAM,QAAQ,CAAC,CAAC;AAAA,EACzD;AACA,SAAO,mCAAmC,GAAG;AAC/C;AAEA,SAAS,iBAAiB,KAAqB;AAC7C,QAAM,QAAQ,IAAI,QAAQ,KAAK,EAAE,EAAE,YAAY;AAC/C,MAAI,MAAM,WAAW,GAAG;AACtB,UAAM,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC;AAC7C,WAAO,aAAa,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC;AAAA,EAC3C;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,WAAO,aAAa,KAAK;AAAA,EAC3B;AACA,MAAI,MAAM,WAAW,GAAG;AAEtB,UAAM,MAAM,MAAM,UAAU,GAAG,CAAC;AAChC,UAAM,QAAQ,MAAM,UAAU,GAAG,CAAC;AAClC,WAAO,WAAW,KAAK,GAAG,GAAG;AAAA,EAC/B;AACA,SAAO,yCAAyC,GAAG;AACrD;AAEA,SAAS,eAAe,KAAqB;AAC3C,QAAM,QAAQ,IAAI,QAAQ,KAAK,EAAE,EAAE,YAAY;AAC/C,MAAI,MAAM,WAAW,GAAG;AACtB,UAAM,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC;AAC7C,WAAO,aAAa,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC;AAAA,EAC3C;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,WAAO,aAAa,KAAK;AAAA,EAC3B;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,UAAM,MAAM,MAAM,UAAU,GAAG,CAAC;AAChC,UAAM,QAAQ,MAAM,UAAU,GAAG,CAAC;AAClC,WAAO,WAAW,KAAK,GAAG,GAAG;AAAA,EAC/B;AACA,SAAO,0CAA0C,GAAG;AACtD;AAEA,SAAS,oBAAoB,cAA8C;AACzE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAGA,QAAM,SAAkC,CAAC;AACzC,QAAM,UAAmC,CAAC;AAC1C,QAAM,aAAsC,CAAC;AAC7C,QAAM,QAAiC,CAAC;AAExC,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,QAAI,IAAI,SAAS,SAAS,EAAG,QAAO,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aAC5C,IAAI,SAAS,WAAW,EAAG,SAAQ,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aACpD,IAAI,SAAS,cAAc,KAAK,IAAI,SAAS,QAAQ,EAAG,YAAW,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,QACxF,OAAM,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,EAC9B;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,QAAQ;AACjC,UAAM,OAAO,YAAY,GAAG;AAC5B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,sBAAsB,IAAI,MAAM,gBAAgB,KAAK,CAAC,EAAE;AAAA,IACrE;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,sBAAsB;AACjC,QAAM,KAAK,oBAAoB;AAE/B,aAAW,CAAC,KAAK,KAAK,KAAK,SAAS;AAClC,UAAM,OAAO,YAAY,GAAG;AAC5B,UAAM,WAAW,WAAW,KAAK;AACjC,QAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,YAAM,KAAK,sBAAsB,IAAI,eAAe,QAAQ,EAAE;AAAA,IAChE;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,yBAAyB;AACpC,QAAM,KAAK,uBAAuB;AAElC,aAAW,CAAC,KAAK,KAAK,KAAK,YAAY;AACrC,UAAM,OAAO,YAAY,GAAG;AAC5B,QAAI,IAAI,SAAS,MAAM,GAAG;AACxB,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,sBAAsB,IAAI,eAAe,QAAQ,EAAE;AAAA,MAChE;AAAA,IACF,WAAW,IAAI,SAAS,QAAQ,GAAG;AACjC,YAAM,KAAK,sBAAsB,IAAI,OAAO,KAAK,GAAG;AAAA,IACtD,WAAW,IAAI,SAAS,QAAQ,GAAG;AACjC,YAAM,KAAK,sBAAsB,IAAI,OAAO,KAAK,GAAG;AAAA,IACtD;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,oBAAoB;AAC/B,QAAM,KAAK,kBAAkB;AAE7B,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO;AAChC,UAAM,OAAO,YAAY,GAAG;AAC5B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,sBAAsB,IAAI,MAAM,gBAAgB,KAAK,CAAC,EAAE;AAAA,IACrE,OAAO;AACL,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,sBAAsB,IAAI,eAAe,QAAQ,EAAE;AAAA,MAChE,OAAO;AACL,cAAM,KAAK,sBAAsB,IAAI,OAAO,KAAK,GAAG;AAAA,MACtD;AAAA,IACF;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,qBAAqB,cAA8C;AAC1E,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,SAAkC,CAAC;AACzC,QAAM,UAAmC,CAAC;AAC1C,QAAM,aAAsC,CAAC;AAC7C,QAAM,QAAiC,CAAC;AAExC,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,QAAI,IAAI,SAAS,SAAS,EAAG,QAAO,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aAC5C,IAAI,SAAS,WAAW,EAAG,SAAQ,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aACpD,IAAI,SAAS,cAAc,KAAK,IAAI,SAAS,QAAQ,EAAG,YAAW,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,QACxF,OAAM,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,EAC9B;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,QAAQ;AACjC,UAAM,OAAO,aAAa,GAAG;AAC7B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,eAAe,IAAI,MAAM,iBAAiB,KAAK,CAAC,EAAE;AAAA,IAC/D;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,sBAAsB;AAEjC,aAAW,CAAC,KAAK,KAAK,KAAK,SAAS;AAClC,UAAM,OAAO,aAAa,GAAG;AAC7B,UAAM,WAAW,WAAW,KAAK;AACjC,QAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,YAAM,KAAK,eAAe,IAAI,MAAM,QAAQ,KAAK;AAAA,IACnD;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,yBAAyB;AAEpC,aAAW,CAAC,KAAK,KAAK,KAAK,YAAY;AACrC,UAAM,OAAO,aAAa,GAAG;AAC7B,QAAI,IAAI,SAAS,MAAM,GAAG;AACxB,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,eAAe,IAAI,MAAM,QAAQ,KAAK;AAAA,MACnD;AAAA,IACF,OAAO;AACL,YAAM,KAAK,qBAAqB,IAAI,OAAO,KAAK,GAAG;AAAA,IACrD;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,oBAAoB;AAE/B,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO;AAChC,UAAM,OAAO,aAAa,GAAG;AAC7B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,eAAe,IAAI,MAAM,iBAAiB,KAAK,CAAC,EAAE;AAAA,IAC/D,OAAO;AACL,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,eAAe,IAAI,MAAM,QAAQ,KAAK;AAAA,MACnD,OAAO;AACL,cAAM,KAAK,qBAAqB,IAAI,OAAO,KAAK,GAAG;AAAA,MACrD;AAAA,IACF;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,mBAAmB,cAA8C;AACxE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,SAAkC,CAAC;AACzC,QAAM,UAAmC,CAAC;AAC1C,QAAM,aAAsC,CAAC;AAC7C,QAAM,QAAiC,CAAC;AAExC,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,QAAI,IAAI,SAAS,SAAS,EAAG,QAAO,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aAC5C,IAAI,SAAS,WAAW,EAAG,SAAQ,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aACpD,IAAI,SAAS,cAAc,KAAK,IAAI,SAAS,QAAQ,EAAG,YAAW,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,QACxF,OAAM,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,EAC9B;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,QAAQ;AACjC,UAAM,OAAO,WAAW,GAAG;AAC3B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,kBAAkB,IAAI,MAAM,eAAe,KAAK,CAAC,GAAG;AAAA,IACjE;AAAA,EACF;AAEA,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,cAAc;AAEzB,aAAW,CAAC,KAAK,KAAK,KAAK,SAAS;AAClC,UAAM,OAAO,WAAW,GAAG;AAC3B,UAAM,WAAW,WAAW,KAAK;AACjC,QAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,YAAM,KAAK,yBAAyB,IAAI,MAAM,QAAQ,GAAG;AAAA,IAC3D;AAAA,EACF;AAEA,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,iBAAiB;AAE5B,aAAW,CAAC,KAAK,KAAK,KAAK,YAAY;AACrC,UAAM,OAAO,WAAW,GAAG;AAC3B,QAAI,IAAI,SAAS,MAAM,GAAG;AACxB,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,yBAAyB,IAAI,MAAM,QAAQ,GAAG;AAAA,MAC3D;AAAA,IACF,OAAO;AACL,YAAM,KAAK,yBAAyB,IAAI,OAAO,KAAK,IAAI;AAAA,IAC1D;AAAA,EACF;AAEA,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,YAAY;AAEvB,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO;AAChC,UAAM,OAAO,WAAW,GAAG;AAC3B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,kBAAkB,IAAI,MAAM,eAAe,KAAK,CAAC,GAAG;AAAA,IACjE,OAAO;AACL,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,yBAAyB,IAAI,MAAM,QAAQ,GAAG;AAAA,MAC3D,OAAO;AACL,cAAM,KAAK,yBAAyB,IAAI,OAAO,KAAK,IAAI;AAAA,MAC1D;AAAA,IACF;AAAA,EACF;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,WACP,YACA,YACA,QACoG;AACpG,QAAM,QAAkB,CAAC;AACzB,QAAM,WAA6D,CAAC;AACpE,QAAM,UAAoB,CAAC;AAG3B,MAAI,WAAW,SAAS,WAAW,UAAU,WAAW,QAAQ;AAE9D,UAAM,UAAkC,CAAC;AACzC,UAAM,WAAW;AACjB,QAAI;AACJ,YAAQ,QAAQ,SAAS,KAAK,UAAU,OAAO,MAAM;AACnD,cAAQ,MAAM,CAAC,CAAC,IAAI,MAAM,CAAC,EAAE,KAAK;AAAA,IACpC;AAGA,eAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,UAAU,GAAG;AACrD,UAAI,EAAE,OAAO,UAAU;AACrB,cAAM,KAAK,GAAG;AAAA,MAChB,WAAW,QAAQ,GAAG,MAAM,OAAO;AACjC,iBAAS,KAAK,EAAE,KAAK,KAAK,QAAQ,GAAG,GAAG,KAAK,MAAM,CAAC;AAAA,MACtD;AAAA,IACF;AAEA,eAAW,OAAO,OAAO,KAAK,OAAO,GAAG;AACtC,UAAI,EAAE,OAAO,aAAa;AACxB,gBAAQ,KAAK,GAAG;AAAA,MAClB;AAAA,IACF;AAAA,EACF;AAEA,SAAO,EAAE,OAAO,UAAU,QAAQ;AACpC;AAEA,eAAe,cAAc,SAAmC;AAC9D,QAAM,KAAc,yBAAgB;AAAA,IAClC,OAAO,QAAQ;AAAA,IACf,QAAQ,QAAQ;AAAA,EAClB,CAAC;AAED,SAAO,IAAI,QAAQ,CAACC,aAAY;AAC9B,OAAG,SAAS,GAAG,OAAO,WAAW,CAAC,WAAW;AAC3C,SAAG,MAAM;AACT,YAAM,aAAa,OAAO,YAAY,EAAE,KAAK;AAC7C,MAAAA,SAAQ,eAAe,MAAM,eAAe,OAAO,eAAe,KAAK;AAAA,IACzE,CAAC;AAAA,EACH,CAAC;AACH;AAEA,eAAe,UAAU;AACvB,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,yCAA0B;AACtC,UAAQ,IAAI,EAAE;AAGd,QAAM,SAAS,WAAW;AAC1B,QAAM,gBAAgB,QAAQ,QAAQ,QAAQ;AAC9C,QAAM,kBAAkB,QAAQ,UAAU,QAAQ;AAClD,QAAM,mBAAmB,QAAQ,WAAW,QAAQ,WAAW;AAC/D,QAAM,kBAAkB,QAAQ,UAAU,QAAQ,UAAU;AAC5D,QAAM,kBAAkB,QAAQ,UAAU,QAAQ,UAAU;AAE5D,MAAI,CAAC,eAAe;AAClB,YAAQ,MAAM,mCAAmC;AACjD,YAAQ,MAAM,EAAE;AAChB,YAAQ,MAAM,WAAW;AACzB,YAAQ,MAAM,kDAAkD;AAChE,YAAQ,MAAM,yDAA6D;AAC3E,YAAQ,MAAM,6BAA6B;AAC3C,YAAQ,MAAM,EAAE;AAChB,YAAQ,KAAK,CAAC;AAAA,EAChB;AAEA,UAAQ,IAAI,0BAA0B,gBAAgB,KAAK;AAG3D,QAAM,MAAM,GAAG,gBAAgB,WAAW,aAAa;AACvD,QAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,MAAI,gBAAiB,SAAQ,WAAW,IAAI;AAE5C,MAAI;AACJ,MAAI;AACF,UAAM,WAAW,MAAM,MAAM,KAAK,EAAE,QAAQ,CAAC;AAC7C,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,YAAY,MAAM,SAAS,KAAK;AACtC,cAAQ,MAAM,oCAAoC,SAAS,MAAM,GAAG;AACpE,cAAQ,MAAM,KAAK,SAAS,EAAE;AAC9B,cAAQ,KAAK,CAAC;AAAA,IAChB;AACA,WAAO,MAAM,SAAS,KAAK;AAAA,EAC7B,SAAS,OAAO;AACd,YAAQ,MAAM,iCAAiC,gBAAgB,EAAE;AACjE,YAAQ,MAAM,KAAK,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC,EAAE;AAC3E,YAAQ,KAAK,CAAC;AAAA,EAChB;AAEA,UAAQ,IAAI,oBAAoB,KAAK,KAAK,IAAI,MAAM,KAAK,KAAK,OAAO,GAAG;AACxE,UAAQ,IAAI,EAAE;AAGd,MAAI;AACJ,UAAQ,iBAAiB;AAAA,IACvB,KAAK;AACH,mBAAa,kBAAkB,KAAK,YAAY;AAChD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,MAAM;AAC3C;AAAA,IACF,KAAK;AACH,mBAAa,iBAAiB,KAAK,MAAM;AACzC;AAAA,IACF,KAAK;AACH,mBAAa,iBAAiB,KAAK,MAAM;AACzC;AAAA,IACF,KAAK;AACH,mBAAa,oBAAoB,KAAK,YAAY;AAClD;AAAA,IACF,KAAK;AACH,mBAAa,qBAAqB,KAAK,YAAY;AACnD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,IACF;AACE,mBAAa,kBAAkB,KAAK,YAAY;AAChD;AAAA,EACJ;AAGA,QAAM,aAAkB,aAAQ,QAAQ,IAAI,GAAG,eAAe;AAC9D,QAAM,aAAgB,cAAW,UAAU;AAG3C,QAAM,eAAe,CAAC,OAAO,QAAQ,MAAM,EAAE,SAAS,eAAe;AACrE,MAAI,cAAc,cAAc;AAC9B,UAAM,aAAgB,gBAAa,YAAY,OAAO;AACtD,UAAM,OAAO,WAAW,YAAY,KAAK,cAAc,eAAe;AAEtE,UAAM,eAAe,KAAK,MAAM,SAAS,KAAK,SAAS,SAAS,KAAK,QAAQ;AAE7E,QAAI,iBAAiB,GAAG;AACtB,cAAQ,IAAI,8BAAyB;AACrC,cAAQ,IAAI,EAAE;AACd,cAAQ,KAAK,CAAC;AAAA,IAChB;AAEA,YAAQ,IAAI,yBAA8B,cAAS,eAAe,CAAC,GAAG;AACtE,YAAQ,IAAI,EAAE;AAEd,QAAI,KAAK,SAAS,SAAS,GAAG;AAC5B,iBAAW,EAAE,KAAK,KAAK,QAAQ,KAAK,OAAO,KAAK,KAAK,UAAU;AAC7D,gBAAQ,IAAI,OAAO,GAAG,EAAE;AACxB,gBAAQ,IAAI,WAAW,MAAM,EAAE;AAC/B,gBAAQ,IAAI,WAAW,MAAM,EAAE;AAAA,MACjC;AAAA,IACF;AAEA,QAAI,KAAK,MAAM,SAAS,GAAG;AACzB,cAAQ,IAAI,SAAS,KAAK,MAAM,MAAM,eAAe;AAAA,IACvD;AAEA,QAAI,KAAK,QAAQ,SAAS,GAAG;AAC3B,cAAQ,IAAI,SAAS,KAAK,QAAQ,MAAM,mBAAmB;AAAA,IAC7D;AAEA,YAAQ,IAAI,EAAE;AACd,YAAQ,IAAI,YAAY,YAAY,YAAY;AAChD,YAAQ,IAAI,EAAE;AAGd,QAAI,CAAC,QAAQ,KAAK;AAChB,YAAM,YAAY,MAAM,cAAc,kBAAkB;AACxD,UAAI,CAAC,WAAW;AACd,gBAAQ,IAAI,cAAc;AAC1B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF;AAAA,EACF,WAAW,CAAC,YAAY;AACtB,YAAQ,IAAI,cAAc,eAAe,KAAK;AAC9C,YAAQ,IAAI,KAAK,OAAO,KAAK,KAAK,YAAY,EAAE,MAAM,SAAS;AAC/D,YAAQ,IAAI,EAAE;AAEd,QAAI,CAAC,QAAQ,KAAK;AAChB,YAAM,YAAY,MAAM,cAAc,gBAAgB;AACtD,UAAI,CAAC,WAAW;AACd,gBAAQ,IAAI,cAAc;AAC1B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF;AAAA,EACF;AAGA,QAAM,YAAiB,aAAQ,UAAU;AACzC,MAAI,CAAI,cAAW,SAAS,GAAG;AAC7B,IAAG,aAAU,WAAW,EAAE,WAAW,KAAK,CAAC;AAAA,EAC7C;AACA,EAAG,iBAAc,YAAY,UAAU;AAEvC,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,oBAAe,eAAe,EAAE;AAC5C,UAAQ,IAAI,EAAE;AAChB;AAEA,eAAe,UAAU;AACvB,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,2CAA4B;AACxC,UAAQ,IAAI,EAAE;AAEd,QAAM,KAAc,yBAAgB;AAAA,IAClC,OAAO,QAAQ;AAAA,IACf,QAAQ,QAAQ;AAAA,EAClB,CAAC;AAED,QAAM,WAAW,CAAC,WAChB,IAAI,QAAQ,CAACA,aAAY,GAAG,SAAS,QAAQA,QAAO,CAAC;AAEvD,QAAMC,QAAO,QAAQ,QAAQ,MAAM,SAAS,sBAAsB;AAClE,QAAM,SAAS,MAAM,SAAS,gCAAgC,KAAK;AACnE,QAAM,SAAS,MAAM,SAAS,gCAAgC,KAAK;AAEnE,KAAG,MAAM;AAET,QAAM,SAAuB;AAAA,IAC3B,MAAAA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,aAAkB,UAAK,QAAQ,IAAI,GAAG,WAAW;AACvD,EAAG,iBAAc,YAAY,KAAK,UAAU,QAAQ,MAAM,CAAC,IAAI,IAAI;AAEnE,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,4BAAuB;AACnC,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,4BAA4B;AACxC,UAAQ,IAAI,EAAE;AAChB;AAEA,SAAS,WAAW;AAClB,UAAQ,IAAI;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,CAyDb;AACD;AAMA,eAAe,cAAc;AAC3B,MAAI,CAAC,MAAM;AACT,YAAQ,MAAM,iCAAiC;AAC/C,YAAQ,MAAM,gDAAgD;AAC9D,YAAQ,MAAM,EAAE;AAChB,YAAQ,MAAM,0CAA0C;AACxD,YAAQ,MAAM,6DAA6D;AAC3E,YAAQ,KAAK,CAAC;AAAA,EAChB;AAEA,QAAM,YAAY,IAAI,qBAAqB;AAC3C,QAAM,OAAO,QAAQ,SAAS;AAG9B,UAAQ,MAAM,gDAAgD,IAAI,EAAE;AACtE;AAEA,eAAe,OAAO;AACpB,UAAQ,QAAQ,SAAS;AAAA,IACvB,KAAK;AACH,YAAM,QAAQ;AACd;AAAA,IACF,KAAK;AACH,YAAM,QAAQ;AACd;AAAA,IACF,KAAK;AACH,eAAS;AACT;AAAA,IACF,KAAK;AAAA,IACL;AACE,YAAM,YAAY;AAClB;AAAA,EACJ;AACF;AAEA,KAAK,EAAE,MAAM,CAAC,UAAU;AACtB,UAAQ,MAAM,WAAW,KAAK;AAC9B,UAAQ,KAAK,CAAC;AAChB,CAAC;","names":["dsId","apiKey","apiBase","path","resolve","dsId"]}
|
|
1
|
+
{"version":3,"sources":["../src/index.ts"],"sourcesContent":["/**\n * Atomix MCP Server - User Design System Mode\n * \n * A minimal MCP server that serves design tokens from a user's\n * Atomix Design System via the public API.\n * \n * Usage:\n * npx @atomixstudio/mcp --ds-id <id> --api-key <key>\n * \n * Tools:\n * - getToken: Get a specific token by path\n * - listTokens: List tokens in a category\n * - searchTokens: Search for tokens by name or value\n * - validateUsage: Check if a value follows the design system\n * - getAIToolRules: Generate AI coding rules for this design system\n * - exportMCPConfig: Generate MCP configuration files\n * - getSetupInstructions: Get setup guide for AI tools\n * \n * @see https://atomixstudio.eu\n */\n\nimport { Server } from \"@modelcontextprotocol/sdk/server/index.js\";\nimport { StdioServerTransport } from \"@modelcontextprotocol/sdk/server/stdio.js\";\nimport {\n CallToolRequestSchema,\n ListToolsRequestSchema,\n ListResourcesRequestSchema,\n ReadResourceRequestSchema,\n ListPromptsRequestSchema,\n GetPromptRequestSchema,\n} from \"@modelcontextprotocol/sdk/types.js\";\n\n// ============================================\n// TYPES\n// ============================================\n\ninterface ExportedTokens {\n tokens: {\n colors: {\n static: { brand: Record<string, string> };\n modes: { light: Record<string, string>; dark: Record<string, string> };\n };\n typography: Record<string, unknown>;\n spacing: { scale: Record<string, string> };\n sizing: { height: Record<string, string>; icon: Record<string, string> };\n shadows: { elevation: Record<string, string> };\n radius: { scale: Record<string, string> };\n borders: { width: Record<string, string> };\n motion: { duration: Record<string, string>; easing: Record<string, string> };\n zIndex: Record<string, number>;\n };\n cssVariables: Record<string, string>;\n governance: {\n rules: string[];\n categories: Record<string, string[]>;\n };\n meta: {\n name: string;\n version: number;\n exportedAt: string;\n };\n}\n\ninterface DesignSystemData {\n tokens: ExportedTokens[\"tokens\"];\n cssVariables: Record<string, string>;\n governance: ExportedTokens[\"governance\"];\n meta: ExportedTokens[\"meta\"];\n}\n\n// ============================================\n// CLI ARGUMENTS\n// ============================================\n\ninterface CLIArgs {\n command: \"server\" | \"sync\" | \"init\" | \"help\";\n dsId: string | null;\n apiKey: string | null;\n apiBase: string | null;\n output: string | null;\n format: OutputFormat | null;\n exclude: string[];\n yes: boolean; // Auto-confirm\n}\n\nfunction parseArgs(): CLIArgs {\n const args = process.argv.slice(2);\n let command: CLIArgs[\"command\"] = \"server\";\n let dsId: string | null = null;\n let apiKey: string | null = null;\n let apiBase: string | null = null;\n let output: string | null = null;\n let format: CLIArgs[\"format\"] = null;\n let exclude: string[] = [];\n let yes = false;\n\n // Check for subcommand first\n if (args[0] && !args[0].startsWith(\"-\")) {\n const cmd = args[0].toLowerCase();\n if (cmd === \"sync\") command = \"sync\";\n else if (cmd === \"init\") command = \"init\";\n else if (cmd === \"help\" || cmd === \"--help\" || cmd === \"-h\") command = \"help\";\n }\n\n for (let i = 0; i < args.length; i++) {\n if (args[i] === \"--ds-id\" && args[i + 1]) {\n dsId = args[i + 1];\n i++;\n } else if (args[i] === \"--api-key\" && args[i + 1]) {\n apiKey = args[i + 1];\n i++;\n } else if (args[i] === \"--api-base\" && args[i + 1]) {\n apiBase = args[i + 1];\n i++;\n } else if ((args[i] === \"--output\" || args[i] === \"-o\") && args[i + 1]) {\n output = args[i + 1];\n i++;\n } else if (args[i] === \"--format\" && args[i + 1]) {\n const f = args[i + 1].toLowerCase() as OutputFormat;\n const validFormats: OutputFormat[] = [\"css\", \"scss\", \"less\", \"json\", \"ts\", \"js\", \"swift\", \"kotlin\", \"dart\"];\n if (validFormats.includes(f)) format = f;\n i++;\n } else if (args[i] === \"--exclude\" && args[i + 1]) {\n exclude.push(args[i + 1]);\n i++;\n } else if (args[i] === \"-y\" || args[i] === \"--yes\") {\n yes = true;\n }\n }\n\n return { command, dsId, apiKey, apiBase, output, format, exclude, yes };\n}\n\nconst cliArgs = parseArgs();\nconst { dsId, apiKey } = cliArgs;\n// For MCP server mode, use CLI apiBase or default\nconst apiBase = cliArgs.apiBase || \"https://atomixstudio.eu\";\n\n// ============================================\n// TOKEN FETCHING\n// ============================================\n\nlet cachedData: DesignSystemData | null = null;\n\nasync function fetchDesignSystem(): Promise<DesignSystemData> {\n if (cachedData) return cachedData;\n\n if (!dsId) {\n throw new Error(\"Missing --ds-id argument. Usage: npx @atomixstudio/mcp --ds-id <id> --api-key <key>\");\n }\n\n const url = `${apiBase}/api/ds/${dsId}/tokens?format=export`;\n const headers: Record<string, string> = {\n \"Content-Type\": \"application/json\",\n };\n \n if (apiKey) {\n headers[\"x-api-key\"] = apiKey;\n }\n\n const response = await fetch(url, { headers });\n \n if (!response.ok) {\n const text = await response.text();\n throw new Error(`Failed to fetch design system: ${response.status} ${text}`);\n }\n\n const data = await response.json() as DesignSystemData;\n cachedData = data;\n return data;\n}\n\n// ============================================\n// TOKEN UTILITIES\n// ============================================\n\nconst TOKEN_CATEGORIES = [\"colors\", \"typography\", \"spacing\", \"sizing\", \"shadows\", \"radius\", \"borders\", \"motion\", \"zIndex\"] as const;\ntype TokenCategory = typeof TOKEN_CATEGORIES[number];\n\nfunction getTokenByPath(tokens: Record<string, unknown>, path: string): unknown {\n const parts = path.split(\".\");\n let current: unknown = tokens;\n\n for (const part of parts) {\n if (current && typeof current === \"object\" && part in current) {\n current = (current as Record<string, unknown>)[part];\n } else {\n return undefined;\n }\n }\n\n return current;\n}\n\nfunction flattenTokens(obj: unknown, prefix = \"\"): Array<{ path: string; value: unknown }> {\n const results: Array<{ path: string; value: unknown }> = [];\n\n if (obj && typeof obj === \"object\" && !Array.isArray(obj)) {\n for (const [key, value] of Object.entries(obj)) {\n const newPath = prefix ? `${prefix}.${key}` : key;\n \n if (value && typeof value === \"object\" && !Array.isArray(value)) {\n results.push(...flattenTokens(value, newPath));\n } else {\n results.push({ path: newPath, value });\n }\n }\n }\n\n return results;\n}\n\nfunction searchTokens(tokens: Record<string, unknown>, query: string): Array<{ path: string; value: unknown }> {\n const flat = flattenTokens(tokens);\n const lowerQuery = query.toLowerCase();\n \n return flat.filter(({ path, value }) => {\n const pathMatch = path.toLowerCase().includes(lowerQuery);\n const valueMatch = String(value).toLowerCase().includes(lowerQuery);\n return pathMatch || valueMatch;\n });\n}\n\n// ============================================\n// TOKEN COUNTING\n// ============================================\n\nfunction countTokens(tokens: Record<string, unknown>, prefix = \"\"): number {\n let count = 0;\n for (const [key, value] of Object.entries(tokens)) {\n if (value && typeof value === \"object\" && !Array.isArray(value)) {\n count += countTokens(value as Record<string, unknown>, `${prefix}${key}.`);\n } else if (value !== undefined && value !== null) {\n count++;\n }\n }\n return count;\n}\n\nfunction getTokenStats(data: DesignSystemData): {\n total: number;\n byCategory: Record<string, number>;\n cssVariables: number;\n governanceRules: number;\n} {\n const byCategory: Record<string, number> = {};\n let total = 0;\n\n for (const [category, value] of Object.entries(data.tokens)) {\n if (value && typeof value === \"object\") {\n const count = countTokens(value as Record<string, unknown>);\n byCategory[category] = count;\n total += count;\n }\n }\n\n return {\n total,\n byCategory,\n cssVariables: Object.keys(data.cssVariables).length,\n governanceRules: data.governance.rules.length,\n };\n}\n\n// ============================================\n// MCP SERVER SETUP\n// ============================================\n\nconst server = new Server(\n {\n name: \"atomix-mcp-user\",\n version: \"1.0.0\",\n },\n {\n capabilities: {\n tools: {},\n resources: {},\n prompts: {},\n },\n }\n);\n\n// ============================================\n// TOOL DEFINITIONS\n// ============================================\n\nserver.setRequestHandler(ListToolsRequestSchema, async () => {\n return {\n tools: [\n {\n name: \"getToken\",\n description: \"Get a specific design token by its path. Returns the value and CSS variable name.\",\n inputSchema: {\n type: \"object\",\n properties: {\n path: {\n type: \"string\",\n description: \"Token path in dot notation (e.g., 'colors.brand.primary', 'spacing.scale.md')\",\n },\n },\n required: [\"path\"],\n },\n },\n {\n name: \"listTokens\",\n description: \"List all tokens in a category (colors, typography, spacing, sizing, shadows, radius, borders, motion, zIndex).\",\n inputSchema: {\n type: \"object\",\n properties: {\n category: {\n type: \"string\",\n enum: TOKEN_CATEGORIES,\n description: \"Token category to list\",\n },\n subcategory: {\n type: \"string\",\n description: \"Optional subcategory (e.g., 'brand' for colors, 'scale' for spacing)\",\n },\n },\n required: [\"category\"],\n },\n },\n {\n name: \"searchTokens\",\n description: \"Search for tokens by name or value.\",\n inputSchema: {\n type: \"object\",\n properties: {\n query: {\n type: \"string\",\n description: \"Search query (matches token paths or values)\",\n },\n },\n required: [\"query\"],\n },\n },\n {\n name: \"validateUsage\",\n description: \"Check if a CSS value follows the design system. Detects hardcoded values that should use tokens.\",\n inputSchema: {\n type: \"object\",\n properties: {\n value: {\n type: \"string\",\n description: \"CSS value to validate (e.g., '#ff0000', '16px', 'rgb(0,112,97)')\",\n },\n context: {\n type: \"string\",\n enum: [\"color\", \"spacing\", \"radius\", \"shadow\", \"typography\", \"any\"],\n description: \"Context of the value to help find the right token\",\n },\n },\n required: [\"value\"],\n },\n },\n {\n name: \"getAIToolRules\",\n description: \"Generate design system rules for AI coding tools (Cursor, Copilot, Windsurf, etc.).\",\n inputSchema: {\n type: \"object\",\n properties: {\n tool: {\n type: \"string\",\n enum: [\"cursor\", \"copilot\", \"windsurf\", \"cline\", \"continue\", \"zed\", \"generic\", \"all\"],\n description: \"AI tool to generate rules for. Use 'all' to get rules for all tools.\",\n },\n },\n required: [\"tool\"],\n },\n },\n {\n name: \"exportMCPConfig\",\n description: \"Generate MCP configuration file for AI tools.\",\n inputSchema: {\n type: \"object\",\n properties: {\n tool: {\n type: \"string\",\n enum: [\"cursor\", \"claude-desktop\", \"windsurf\", \"continue\", \"vscode\", \"all\"],\n description: \"AI tool to generate MCP config for.\",\n },\n },\n required: [\"tool\"],\n },\n },\n {\n name: \"getSetupInstructions\",\n description: \"Get detailed setup instructions for a specific AI tool.\",\n inputSchema: {\n type: \"object\",\n properties: {\n tool: {\n type: \"string\",\n enum: [\"cursor\", \"copilot\", \"windsurf\", \"cline\", \"continue\", \"zed\", \"claude-desktop\", \"generic\"],\n description: \"AI tool to get setup instructions for.\",\n },\n },\n required: [\"tool\"],\n },\n },\n {\n name: \"syncTokens\",\n description: \"Sync design tokens to a local file. Creates or updates a tokens file with the latest values from your design system. Returns a diff of changes.\",\n inputSchema: {\n type: \"object\",\n properties: {\n output: {\n type: \"string\",\n description: \"Output file path relative to project root (e.g., './src/tokens.css', './DesignTokens.swift')\",\n },\n format: {\n type: \"string\",\n enum: [\"css\", \"scss\", \"less\", \"json\", \"ts\", \"js\", \"swift\", \"kotlin\", \"dart\"],\n description: \"Output format. WEB: css, scss, less, json, ts, js. NATIVE: swift (iOS), kotlin (Android), dart (Flutter). Default: css\",\n },\n },\n required: [\"output\"],\n },\n },\n ],\n };\n});\n\n// ============================================\n// TOOL HANDLERS\n// ============================================\n\nserver.setRequestHandler(CallToolRequestSchema, async (request) => {\n const { name, arguments: args } = request.params;\n\n try {\n const data = await fetchDesignSystem();\n\n switch (name) {\n case \"getToken\": {\n const path = args?.path as string;\n const value = getTokenByPath(data.tokens, path);\n \n if (value === undefined) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Token not found: ${path}`,\n suggestion: \"Use listTokens or searchTokens to find available tokens.\",\n availableCategories: TOKEN_CATEGORIES,\n }, null, 2),\n }],\n };\n }\n\n // Find CSS variable for this path\n const cssVarKey = `--atmx-${path.replace(/\\./g, \"-\")}`;\n const cssVar = data.cssVariables[cssVarKey];\n\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n path,\n value,\n cssVariable: cssVar || `var(${cssVarKey})`,\n usage: `style={{ property: \"var(${cssVarKey})\" }}`,\n }, null, 2),\n }],\n };\n }\n\n case \"listTokens\": {\n const category = args?.category as TokenCategory;\n const subcategory = args?.subcategory as string | undefined;\n \n let tokensToList: unknown = data.tokens[category];\n \n if (subcategory && tokensToList && typeof tokensToList === \"object\") {\n tokensToList = getTokenByPath(tokensToList as Record<string, unknown>, subcategory);\n }\n\n if (!tokensToList) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Category not found: ${category}${subcategory ? `.${subcategory}` : \"\"}`,\n availableCategories: TOKEN_CATEGORIES,\n }, null, 2),\n }],\n };\n }\n\n const flat = flattenTokens(tokensToList);\n \n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n category,\n subcategory,\n count: flat.length,\n tokens: flat.slice(0, 50), // Limit to 50 for readability\n truncated: flat.length > 50,\n }, null, 2),\n }],\n };\n }\n\n case \"searchTokens\": {\n const query = args?.query as string;\n const results = searchTokens(data.tokens, query);\n \n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n query,\n count: results.length,\n results: results.slice(0, 30),\n truncated: results.length > 30,\n }, null, 2),\n }],\n };\n }\n\n case \"validateUsage\": {\n const value = args?.value as string;\n const context = (args?.context as string) || \"any\";\n \n // Check if value is a hardcoded color\n const isHexColor = /^#[0-9A-Fa-f]{3,8}$/.test(value);\n const isRgbColor = /^rgb\\(|^rgba\\(|^hsl\\(/.test(value);\n const isPixelValue = /^\\d+px$/.test(value);\n \n if (!isHexColor && !isRgbColor && !isPixelValue) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n value,\n valid: true,\n message: \"Value appears to be using tokens or is not a design token value.\",\n }, null, 2),\n }],\n };\n }\n\n // Search for matching tokens\n const matches = searchTokens(data.tokens, value);\n \n if (matches.length > 0) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n value,\n valid: false,\n message: \"Hardcoded value detected. Use a token instead.\",\n matchingTokens: matches.slice(0, 5),\n suggestion: `Use var(--atmx-${matches[0].path.replace(/\\./g, \"-\")}) instead of ${value}`,\n }, null, 2),\n }],\n };\n }\n\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n value,\n valid: false,\n message: \"Hardcoded value detected. No exact token match found.\",\n suggestion: `Consider adding this value to the design system or use the closest token.`,\n context,\n }, null, 2),\n }],\n };\n }\n\n case \"getAIToolRules\": {\n const tool = args?.tool as string;\n \n // Fetch rules from the API\n const rulesUrl = `${apiBase}/api/ds/${dsId}/rules?format=${tool === \"all\" ? \"all\" : tool}`;\n console.error(`[getAIToolRules] Fetching: ${rulesUrl}`);\n \n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (apiKey) headers[\"x-api-key\"] = apiKey;\n \n try {\n const response = await fetch(rulesUrl, { headers });\n console.error(`[getAIToolRules] Response status: ${response.status}`);\n \n if (!response.ok) {\n const errorText = await response.text();\n console.error(`[getAIToolRules] Error response: ${errorText}`);\n throw new Error(`Failed to fetch rules: ${response.status} - ${errorText}`);\n }\n\n const rules = await response.json() as { rules?: string[]; categories?: Record<string, string[]> };\n console.error(`[getAIToolRules] Got ${rules.rules?.length || 0} rules`);\n \n return {\n content: [{\n type: \"text\",\n text: JSON.stringify(rules, null, 2),\n }],\n };\n } catch (fetchError) {\n console.error(`[getAIToolRules] Fetch error:`, fetchError);\n throw fetchError;\n }\n }\n\n case \"exportMCPConfig\": {\n const tool = args?.tool as string;\n \n // Generate MCP config locally\n const serverName = data.meta.name.toLowerCase().replace(/[^a-z0-9]/g, \"-\");\n const npxArgs = [\"@atomixstudio/mcp@latest\"];\n if (dsId) npxArgs.push(\"--ds-id\", dsId);\n if (apiKey) npxArgs.push(\"--api-key\", apiKey);\n\n const config = {\n mcpServers: {\n [serverName]: {\n command: \"npx\",\n args: npxArgs,\n },\n },\n };\n\n const configs: Record<string, { path: string; content: string }> = {\n cursor: { path: \".cursor/mcp.json\", content: JSON.stringify(config, null, 2) },\n \"claude-desktop\": { path: \"claude_desktop_config.json\", content: JSON.stringify(config, null, 2) },\n windsurf: { path: \".windsurf/mcp.json\", content: JSON.stringify(config, null, 2) },\n continue: { path: \".continue/config.json\", content: JSON.stringify({ models: [], mcpServers: [{ name: serverName, command: \"npx\", args: npxArgs }] }, null, 2) },\n vscode: { path: \".vscode/settings.json\", content: JSON.stringify({ \"mcp.servers\": config.mcpServers }, null, 2) },\n };\n\n if (tool === \"all\") {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n message: \"MCP configurations for all tools\",\n configs: Object.entries(configs).map(([t, c]) => ({\n tool: t,\n path: c.path,\n content: JSON.parse(c.content),\n })),\n }, null, 2),\n }],\n };\n }\n\n const selectedConfig = configs[tool as keyof typeof configs];\n if (!selectedConfig) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Unknown tool: ${tool}`,\n availableTools: Object.keys(configs),\n }, null, 2),\n }],\n };\n }\n\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n tool,\n path: selectedConfig.path,\n content: JSON.parse(selectedConfig.content),\n instructions: `Create the file at ${selectedConfig.path} with the content above, then restart your IDE.`,\n }, null, 2),\n }],\n };\n }\n\n case \"getSetupInstructions\": {\n const tool = args?.tool as string;\n \n const instructions: Record<string, string> = {\n cursor: `# Cursor MCP Setup\n\n1. Create \\`.cursor/mcp.json\\` in your project root\n2. Add the MCP configuration (use exportMCPConfig to get it)\n3. Restart Cursor IDE\n4. Verify by asking: \"What design tokens are available?\"`,\n\n copilot: `# GitHub Copilot Setup\n\n1. Create \\`.github/copilot-instructions.md\\` in your project\n2. Use getAIToolRules({ tool: \"copilot\" }) to get the content\n3. Enable custom instructions in VS Code settings:\n \"github.copilot.chat.codeGeneration.useInstructionFiles\": true`,\n\n windsurf: `# Windsurf Setup\n\n1. Create \\`.windsurf/mcp.json\\` in your project root\n2. Create \\`.windsurfrules\\` with rules from getAIToolRules\n3. Restart Windsurf Editor`,\n\n cline: `# Cline Setup\n\n1. Create \\`.clinerules\\` in your project root\n2. Cline auto-detects MCP from .cursor/mcp.json`,\n\n continue: `# Continue Setup\n\n1. Create/edit \\`.continue/config.json\\`\n2. Add mcpServers configuration\n3. Restart VS Code`,\n\n zed: `# Zed Setup\n\n1. Create \\`.zed/assistant/rules.md\\` in your project\n2. Use getAIToolRules({ tool: \"zed\" }) for content`,\n\n \"claude-desktop\": `# Claude Desktop Setup\n\n1. Find your Claude config:\n - macOS: ~/Library/Application Support/Claude/claude_desktop_config.json\n - Windows: %APPDATA%\\\\Claude\\\\claude_desktop_config.json\n2. Add MCP server configuration\n3. Restart Claude Desktop`,\n\n generic: `# Generic AI Tool Setup\n\n1. Create AI_GUIDELINES.md in your project root\n2. Use getAIToolRules({ tool: \"generic\" }) for content\n3. Reference in your prompts or context`,\n };\n\n const instruction = instructions[tool];\n if (!instruction) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Unknown tool: ${tool}`,\n availableTools: Object.keys(instructions),\n }, null, 2),\n }],\n };\n }\n\n return {\n content: [{\n type: \"text\",\n text: instruction,\n }],\n };\n }\n\n case \"syncTokens\": {\n const output = args?.output as string;\n const format = (args?.format as OutputFormat) || \"css\";\n \n if (!output) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({ error: \"Missing required parameter: output\" }, null, 2),\n }],\n };\n }\n\n // Generate content based on format\n let newContent: string;\n switch (format) {\n case \"css\":\n newContent = generateCSSOutput(data.cssVariables);\n break;\n case \"scss\":\n newContent = generateSCSSOutput(data.cssVariables);\n break;\n case \"less\":\n newContent = generateLessOutput(data.cssVariables);\n break;\n case \"json\":\n newContent = generateJSONOutput(data.tokens);\n break;\n case \"js\":\n newContent = generateJSOutput(data.tokens);\n break;\n case \"ts\":\n newContent = generateTSOutput(data.tokens);\n break;\n case \"swift\":\n newContent = generateSwiftOutput(data.cssVariables);\n break;\n case \"kotlin\":\n newContent = generateKotlinOutput(data.cssVariables);\n break;\n case \"dart\":\n newContent = generateDartOutput(data.cssVariables);\n break;\n default:\n newContent = generateCSSOutput(data.cssVariables);\n }\n\n // Check if file exists and diff\n const outputPath = path.resolve(process.cwd(), output);\n const fileExists = fs.existsSync(outputPath);\n const tokenCount = Object.keys(data.cssVariables).length;\n\n let diffSummary = \"\";\n let changes: Array<{ key: string; old: string; new: string }> = [];\n\n if (fileExists && [\"css\", \"scss\", \"less\"].includes(format)) {\n const oldContent = fs.readFileSync(outputPath, \"utf-8\");\n const diff = diffTokens(oldContent, data.cssVariables, format as OutputFormat);\n \n const totalChanges = diff.added.length + diff.modified.length + diff.removed.length;\n \n if (totalChanges === 0) {\n return {\n content: [{\n type: \"text\",\n text: `✓ Already up to date!\\n\\nFile: ${output}\\nTokens: ${tokenCount}\\nVersion: ${data.meta.version}`,\n }],\n };\n }\n\n changes = diff.modified;\n diffSummary = `Changes: ${diff.modified.length} modified, ${diff.added.length} added, ${diff.removed.length} removed`;\n }\n\n // Write the file\n const outputDir = path.dirname(outputPath);\n if (!fs.existsSync(outputDir)) {\n fs.mkdirSync(outputDir, { recursive: true });\n }\n fs.writeFileSync(outputPath, newContent);\n\n // Build response\n let response = `✓ Synced ${tokenCount} tokens to ${output}\\n`;\n response += `Format: ${format}\\n`;\n response += `Design System: ${data.meta.name} (v${data.meta.version})\\n`;\n \n if (diffSummary) {\n response += `\\n${diffSummary}\\n`;\n if (changes.length > 0 && changes.length <= 10) {\n response += \"\\nModified tokens:\\n\";\n for (const { key, old: oldVal, new: newVal } of changes) {\n response += ` ${key}: ${oldVal} → ${newVal}\\n`;\n }\n }\n } else if (!fileExists) {\n response += \"\\n(New file created)\";\n }\n\n return {\n content: [{\n type: \"text\",\n text: response,\n }],\n };\n }\n\n default:\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: `Unknown tool: ${name}`,\n availableTools: [\"getToken\", \"listTokens\", \"searchTokens\", \"validateUsage\", \"getAIToolRules\", \"exportMCPConfig\", \"getSetupInstructions\", \"syncTokens\"],\n }, null, 2),\n }],\n };\n }\n } catch (error) {\n return {\n content: [{\n type: \"text\",\n text: JSON.stringify({\n error: error instanceof Error ? error.message : \"Unknown error\",\n suggestion: \"Make sure --ds-id and --api-key are correct.\",\n }, null, 2),\n }],\n isError: true,\n };\n }\n});\n\n// ============================================\n// RESOURCE HANDLERS\n// ============================================\n\nconst AI_TOOLS = [\"cursor\", \"copilot\", \"windsurf\", \"cline\", \"continue\", \"zed\", \"generic\"] as const;\n\nserver.setRequestHandler(ListResourcesRequestSchema, async () => {\n const data = await fetchDesignSystem();\n const stats = getTokenStats(data);\n \n const resources = [\n {\n uri: \"atomix://welcome\",\n name: `Welcome to ${data.meta.name}`,\n description: `Design system overview with ${stats.total} tokens and ${stats.governanceRules} governance rules`,\n mimeType: \"text/markdown\",\n },\n ...AI_TOOLS.map(tool => ({\n uri: `atomix://rules/${tool}`,\n name: `${tool.charAt(0).toUpperCase() + tool.slice(1)} Rules`,\n description: `Design system rules file for ${tool}`,\n mimeType: \"text/markdown\",\n })),\n ];\n\n return { resources };\n});\n\nserver.setRequestHandler(ReadResourceRequestSchema, async (request) => {\n const { uri } = request.params;\n const data = await fetchDesignSystem();\n const stats = getTokenStats(data);\n\n // Welcome resource\n if (uri === \"atomix://welcome\") {\n const welcome = generateWelcomeMessage(data, stats);\n return {\n contents: [{\n uri,\n mimeType: \"text/markdown\",\n text: welcome,\n }],\n };\n }\n\n // Rules resources\n const rulesMatch = uri.match(/^atomix:\\/\\/rules\\/(.+)$/);\n if (rulesMatch) {\n const tool = rulesMatch[1];\n if (!AI_TOOLS.includes(tool as typeof AI_TOOLS[number])) {\n throw new Error(`Unknown tool: ${tool}. Available: ${AI_TOOLS.join(\", \")}`);\n }\n\n // Fetch rules from API\n const rulesUrl = `${apiBase}/api/ds/${dsId}/rules?format=${tool}`;\n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (apiKey) headers[\"x-api-key\"] = apiKey;\n\n const response = await fetch(rulesUrl, { headers });\n if (!response.ok) {\n throw new Error(`Failed to fetch rules: ${response.status}`);\n }\n\n const rulesData = await response.json() as { content?: string; tool?: string };\n \n return {\n contents: [{\n uri,\n mimeType: \"text/markdown\",\n text: rulesData.content || JSON.stringify(rulesData, null, 2),\n }],\n };\n }\n\n throw new Error(`Unknown resource: ${uri}`);\n});\n\n// ============================================\n// PROMPTS - Auto-suggest welcome on connection\n// ============================================\n\nserver.setRequestHandler(ListPromptsRequestSchema, async () => {\n return {\n prompts: [\n {\n name: \"welcome\",\n description: \"Get started with this design system - shows overview, available tokens, and tools. Run this first!\",\n },\n {\n name: \"design-system-rules\",\n description: \"Get the design system governance rules for your AI coding tool\",\n arguments: [\n {\n name: \"tool\",\n description: \"AI tool to generate rules for (cursor, copilot, windsurf, cline, continue, zed, generic)\",\n required: false,\n },\n ],\n },\n ],\n };\n});\n\nserver.setRequestHandler(GetPromptRequestSchema, async (request) => {\n const { name, arguments: args } = request.params;\n const data = await fetchDesignSystem();\n const stats = getTokenStats(data);\n\n switch (name) {\n case \"welcome\": {\n const welcome = generateWelcomeMessage(data, stats);\n return {\n description: `Welcome to ${data.meta.name} Design System`,\n messages: [\n {\n role: \"user\" as const,\n content: {\n type: \"text\" as const,\n text: \"Show me the design system overview and available tools.\",\n },\n },\n {\n role: \"assistant\" as const,\n content: {\n type: \"text\" as const,\n text: welcome,\n },\n },\n ],\n };\n }\n\n case \"design-system-rules\": {\n const tool = (args?.tool as string) || \"cursor\";\n const rulesUrl = `${apiBase}/api/ds/${dsId}/rules?format=${tool}`;\n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (apiKey) headers[\"x-api-key\"] = apiKey;\n\n const response = await fetch(rulesUrl, { headers });\n if (!response.ok) {\n throw new Error(`Failed to fetch rules: ${response.status}`);\n }\n\n const rulesData = await response.json() as { content?: string };\n \n return {\n description: `Design system rules for ${tool}`,\n messages: [\n {\n role: \"user\" as const,\n content: {\n type: \"text\" as const,\n text: `Show me the design system rules for ${tool}.`,\n },\n },\n {\n role: \"assistant\" as const,\n content: {\n type: \"text\" as const,\n text: rulesData.content || JSON.stringify(rulesData, null, 2),\n },\n },\n ],\n };\n }\n\n default:\n throw new Error(`Unknown prompt: ${name}`);\n }\n});\n\nfunction generateWelcomeMessage(data: DesignSystemData, stats: ReturnType<typeof getTokenStats>): string {\n const toolsList = [\n \"getToken - Get a specific token by path\",\n \"listTokens - List all tokens in a category\",\n \"searchTokens - Search tokens by name or value\",\n \"validateUsage - Check if a CSS value follows the design system\",\n \"getAIToolRules - Generate AI coding rules for any tool\",\n \"exportMCPConfig - Generate MCP config for AI tools\",\n \"getSetupInstructions - Get setup guide for specific tools\",\n \"syncTokens - Sync tokens to a local file (css, scss, swift, kotlin, dart, etc.)\",\n ];\n\n const categoryBreakdown = Object.entries(stats.byCategory)\n .map(([cat, count]) => ` - ${cat}: ${count} tokens`)\n .join(\"\\n\");\n\n const asciiArt = `\n\\`\\`\\`\n ↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘↘ \n ↘↘↘↘↘↘↘↘↘↘↘ \n\\`\\`\\`\n`;\n\n return `${asciiArt}\n# Welcome to ${data.meta.name}\n\nYour design system is connected and ready to use.\n\n## Design System Overview\n\n| Metric | Value |\n|--------|-------|\n| Name | ${data.meta.name} |\n| DS ID | ${dsId} |\n| Total Tokens | ${stats.total} |\n| CSS Variables | ${stats.cssVariables} |\n| Governance Rules | ${stats.governanceRules} |\n| Version | ${data.meta.version || 1} |\n\n### Token Breakdown\n\n${categoryBreakdown}\n\n## Available Tools\n\n${toolsList.map((t, i) => `${i + 1}. **${t.split(\" - \")[0]}** - ${t.split(\" - \")[1]}`).join(\"\\n\")}\n\n## Quick Start\n\n### Get a Token\n\\`\\`\\`\nUse getToken with path \"colors.static.brand.primary\"\n\\`\\`\\`\n\n### List All Spacing Tokens\n\\`\\`\\`\nUse listTokens with category \"spacing\"\n\\`\\`\\`\n\n### Validate a Hardcoded Value\n\\`\\`\\`\nUse validateUsage with value \"#ff0000\" and context \"color\"\n\\`\\`\\`\n\n## Resources Available\n\nThis MCP server exposes rules files as resources that your AI tool can read:\n\n| Resource | Description |\n|----------|-------------|\n| \\`atomix://welcome\\` | This welcome message |\n| \\`atomix://rules/cursor\\` | .cursorrules file content |\n| \\`atomix://rules/copilot\\` | GitHub Copilot instructions |\n| \\`atomix://rules/windsurf\\` | .windsurfrules file content |\n| \\`atomix://rules/cline\\` | .clinerules file content |\n| \\`atomix://rules/continue\\` | Continue rules |\n| \\`atomix://rules/zed\\` | Zed assistant rules |\n| \\`atomix://rules/generic\\` | Generic AI guidelines |\n\n## Checking for Updates\n\nYour design system may be updated over time. To ensure you have the latest tokens:\n\n1. **Check version**: The current version is ${data.meta.version || 1}\n2. **Refresh tokens**: Restart the MCP server to fetch latest tokens\n3. **View changes**: Visit https://atomixstudio.eu/ds/${dsId} to see recent changes\n\n---\n\n*Powered by Atomix Studio - https://atomixstudio.eu*\n`;\n}\n\n// ============================================\n// SYNC COMMAND\n// ============================================\n\nimport * as fs from \"fs\";\nimport * as path from \"path\";\nimport * as readline from \"readline\";\n\ntype OutputFormat = \n | \"css\" | \"scss\" | \"less\" // Web CSS-based\n | \"json\" | \"ts\" | \"js\" // Web JS-based\n | \"swift\" | \"kotlin\" | \"dart\"; // Native mobile\n\ninterface AtomixConfig {\n dsId: string;\n apiKey?: string;\n apiBase?: string;\n output: string;\n format: OutputFormat;\n // For future codebase scanning\n include?: string[]; // Glob patterns to include\n exclude?: string[]; // Glob patterns to exclude\n}\n\n// Default file patterns for codebase scanning\nconst DEFAULT_INCLUDE = [\n \"**/*.tsx\", // React TypeScript components\n \"**/*.jsx\", // React JavaScript components\n \"**/*.ts\", // TypeScript files\n \"**/*.js\", // JavaScript files\n \"**/*.css\", // CSS stylesheets\n \"**/*.scss\", // SASS files\n \"**/*.less\", // Less files\n \"**/*.vue\", // Vue components\n \"**/*.svelte\", // Svelte components\n \"**/*.astro\", // Astro components\n];\n\nconst DEFAULT_EXCLUDE = [\n \"node_modules/**\",\n \"dist/**\",\n \"build/**\",\n \".next/**\",\n \".nuxt/**\",\n \".git/**\",\n \"coverage/**\",\n \"**/*.min.js\",\n \"**/*.min.css\",\n \"**/*.d.ts\", // Type definitions\n \"**/*.test.*\", // Test files\n \"**/*.spec.*\", // Spec files\n];\n\nfunction findConfig(): AtomixConfig | null {\n const configNames = [\".atomixrc\", \".atomixrc.json\", \"atomix.config.json\"];\n const cwd = process.cwd();\n \n for (const name of configNames) {\n const configPath = path.join(cwd, name);\n if (fs.existsSync(configPath)) {\n try {\n const content = fs.readFileSync(configPath, \"utf-8\");\n return JSON.parse(content);\n } catch {\n console.error(`Error parsing ${name}`);\n }\n }\n }\n return null;\n}\n\nfunction generateCSSOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"/* Atomix Design System Tokens\",\n \" * Auto-generated - do not edit manually\",\n ` * Synced: ${new Date().toISOString()}`,\n \" */\",\n \"\",\n \":root {\"\n ];\n \n for (const [key, value] of Object.entries(cssVariables)) {\n lines.push(` ${key}: ${value};`);\n }\n \n lines.push(\"}\");\n lines.push(\"\");\n \n return lines.join(\"\\n\");\n}\n\nfunction generateJSONOutput(tokens: ExportedTokens[\"tokens\"]): string {\n return JSON.stringify(tokens, null, 2);\n}\n\nfunction generateTSOutput(tokens: ExportedTokens[\"tokens\"]): string {\n return `// Atomix Design System Tokens\n// Auto-generated - do not edit manually\n// Synced: ${new Date().toISOString()}\n\nexport const tokens = ${JSON.stringify(tokens, null, 2)} as const;\n\nexport type Tokens = typeof tokens;\n`;\n}\n\nfunction generateJSOutput(tokens: ExportedTokens[\"tokens\"]): string {\n return `// Atomix Design System Tokens\n// Auto-generated - do not edit manually\n// Synced: ${new Date().toISOString()}\n\nexport const tokens = ${JSON.stringify(tokens, null, 2)};\n`;\n}\n\nfunction generateSCSSOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"// CSS Custom Properties (for use in CSS/HTML)\",\n \":root {\"\n ];\n \n for (const [key, value] of Object.entries(cssVariables)) {\n lines.push(` ${key}: ${value};`);\n }\n \n lines.push(\"}\");\n lines.push(\"\");\n lines.push(\"// SCSS Variables (for use in SCSS)\");\n \n for (const [key, value] of Object.entries(cssVariables)) {\n // Convert --atmx-color-brand-primary to $atmx-color-brand-primary\n const scssVar = \"$\" + key.replace(/^--/, \"\");\n lines.push(`${scssVar}: ${value};`);\n }\n \n lines.push(\"\");\n \n return lines.join(\"\\n\");\n}\n\nfunction generateLessOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"// CSS Custom Properties (for use in CSS/HTML)\",\n \":root {\"\n ];\n \n for (const [key, value] of Object.entries(cssVariables)) {\n lines.push(` ${key}: ${value};`);\n }\n \n lines.push(\"}\");\n lines.push(\"\");\n lines.push(\"// Less Variables (for use in Less)\");\n \n for (const [key, value] of Object.entries(cssVariables)) {\n // Convert --atmx-color-brand-primary to @atmx-color-brand-primary\n const lessVar = \"@\" + key.replace(/^--/, \"\");\n lines.push(`${lessVar}: ${value};`);\n }\n \n lines.push(\"\");\n \n return lines.join(\"\\n\");\n}\n\n// ============================================\n// NATIVE MOBILE OUTPUT GENERATORS\n// ============================================\n\nfunction toSwiftName(cssVar: string): string {\n // --atmx-color-brand-primary → colorBrandPrimary\n return cssVar\n .replace(/^--atmx-/, \"\")\n .replace(/-([a-z])/g, (_, c) => c.toUpperCase());\n}\n\nfunction toKotlinName(cssVar: string): string {\n // --atmx-color-brand-primary → ColorBrandPrimary\n const camel = toSwiftName(cssVar);\n return camel.charAt(0).toUpperCase() + camel.slice(1);\n}\n\nfunction toDartName(cssVar: string): string {\n // --atmx-color-brand-primary → colorBrandPrimary (same as Swift)\n return toSwiftName(cssVar);\n}\n\nfunction isColorValue(value: string): boolean {\n return /^#[0-9A-Fa-f]{3,8}$/.test(value) || \n /^rgb/.test(value) || \n /^hsl/.test(value);\n}\n\nfunction hexToSwiftColor(hex: string): string {\n // #RRGGBB or #RRGGBBAA\n const clean = hex.replace(\"#\", \"\");\n if (clean.length === 3) {\n // #RGB -> #RRGGBB\n const r = clean[0], g = clean[1], b = clean[2];\n return `Color(hex: 0x${r}${r}${g}${g}${b}${b})`;\n }\n if (clean.length === 6) {\n return `Color(hex: 0x${clean})`;\n }\n if (clean.length === 8) {\n // #RRGGBBAA\n const rgb = clean.substring(0, 6);\n const alpha = parseInt(clean.substring(6, 8), 16) / 255;\n return `Color(hex: 0x${rgb}).opacity(${alpha.toFixed(2)})`;\n }\n return `Color.clear // Could not parse: ${hex}`;\n}\n\nfunction hexToKotlinColor(hex: string): string {\n const clean = hex.replace(\"#\", \"\").toUpperCase();\n if (clean.length === 3) {\n const r = clean[0], g = clean[1], b = clean[2];\n return `Color(0xFF${r}${r}${g}${g}${b}${b})`;\n }\n if (clean.length === 6) {\n return `Color(0xFF${clean})`;\n }\n if (clean.length === 8) {\n // RRGGBBAA -> AARRGGBB for Android\n const rgb = clean.substring(0, 6);\n const alpha = clean.substring(6, 8);\n return `Color(0x${alpha}${rgb})`;\n }\n return `Color.Transparent // Could not parse: ${hex}`;\n}\n\nfunction hexToDartColor(hex: string): string {\n const clean = hex.replace(\"#\", \"\").toUpperCase();\n if (clean.length === 3) {\n const r = clean[0], g = clean[1], b = clean[2];\n return `Color(0xFF${r}${r}${g}${g}${b}${b})`;\n }\n if (clean.length === 6) {\n return `Color(0xFF${clean})`;\n }\n if (clean.length === 8) {\n const rgb = clean.substring(0, 6);\n const alpha = clean.substring(6, 8);\n return `Color(0x${alpha}${rgb})`;\n }\n return `Colors.transparent // Could not parse: ${hex}`;\n}\n\nfunction generateSwiftOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"import SwiftUI\",\n \"\",\n \"// MARK: - Color Extension for Hex\",\n \"extension Color {\",\n \" init(hex: UInt, alpha: Double = 1.0) {\",\n \" self.init(\",\n \" .sRGB,\",\n \" red: Double((hex >> 16) & 0xFF) / 255.0,\",\n \" green: Double((hex >> 8) & 0xFF) / 255.0,\",\n \" blue: Double(hex & 0xFF) / 255.0,\",\n \" opacity: alpha\",\n \" )\",\n \" }\",\n \"}\",\n \"\",\n \"// MARK: - Design Tokens\",\n \"enum DesignTokens {\",\n \"\",\n \" // MARK: Colors\",\n \" enum Colors {\"\n ];\n\n // Group by category\n const colors: Array<[string, string]> = [];\n const spacing: Array<[string, string]> = [];\n const typography: Array<[string, string]> = [];\n const other: Array<[string, string]> = [];\n\n for (const [key, value] of Object.entries(cssVariables)) {\n if (key.includes(\"-color-\")) colors.push([key, value]);\n else if (key.includes(\"-spacing-\")) spacing.push([key, value]);\n else if (key.includes(\"-typography-\") || key.includes(\"-font-\")) typography.push([key, value]);\n else other.push([key, value]);\n }\n\n for (const [key, value] of colors) {\n const name = toSwiftName(key);\n if (isColorValue(value)) {\n lines.push(` static let ${name} = ${hexToSwiftColor(value)}`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" // MARK: Spacing\");\n lines.push(\" enum Spacing {\");\n\n for (const [key, value] of spacing) {\n const name = toSwiftName(key);\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static let ${name}: CGFloat = ${numValue}`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" // MARK: Typography\");\n lines.push(\" enum Typography {\");\n\n for (const [key, value] of typography) {\n const name = toSwiftName(key);\n if (key.includes(\"size\")) {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static let ${name}: CGFloat = ${numValue}`);\n }\n } else if (key.includes(\"weight\")) {\n lines.push(` static let ${name} = \"${value}\"`);\n } else if (key.includes(\"family\")) {\n lines.push(` static let ${name} = \"${value}\"`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" // MARK: Other\");\n lines.push(\" enum Other {\");\n\n for (const [key, value] of other) {\n const name = toSwiftName(key);\n if (isColorValue(value)) {\n lines.push(` static let ${name} = ${hexToSwiftColor(value)}`);\n } else {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static let ${name}: CGFloat = ${numValue}`);\n } else {\n lines.push(` static let ${name} = \"${value}\"`);\n }\n }\n }\n\n lines.push(\" }\");\n lines.push(\"}\");\n lines.push(\"\");\n\n return lines.join(\"\\n\");\n}\n\nfunction generateKotlinOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"package com.atomix.design\",\n \"\",\n \"import androidx.compose.ui.graphics.Color\",\n \"import androidx.compose.ui.unit.dp\",\n \"import androidx.compose.ui.unit.sp\",\n \"\",\n \"object DesignTokens {\",\n \"\",\n \" object Colors {\"\n ];\n\n const colors: Array<[string, string]> = [];\n const spacing: Array<[string, string]> = [];\n const typography: Array<[string, string]> = [];\n const other: Array<[string, string]> = [];\n\n for (const [key, value] of Object.entries(cssVariables)) {\n if (key.includes(\"-color-\")) colors.push([key, value]);\n else if (key.includes(\"-spacing-\")) spacing.push([key, value]);\n else if (key.includes(\"-typography-\") || key.includes(\"-font-\")) typography.push([key, value]);\n else other.push([key, value]);\n }\n\n for (const [key, value] of colors) {\n const name = toKotlinName(key);\n if (isColorValue(value)) {\n lines.push(` val ${name} = ${hexToKotlinColor(value)}`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" object Spacing {\");\n\n for (const [key, value] of spacing) {\n const name = toKotlinName(key);\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` val ${name} = ${numValue}.dp`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" object Typography {\");\n\n for (const [key, value] of typography) {\n const name = toKotlinName(key);\n if (key.includes(\"size\")) {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` val ${name} = ${numValue}.sp`);\n }\n } else {\n lines.push(` const val ${name} = \"${value}\"`);\n }\n }\n\n lines.push(\" }\");\n lines.push(\"\");\n lines.push(\" object Other {\");\n\n for (const [key, value] of other) {\n const name = toKotlinName(key);\n if (isColorValue(value)) {\n lines.push(` val ${name} = ${hexToKotlinColor(value)}`);\n } else {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` val ${name} = ${numValue}.dp`);\n } else {\n lines.push(` const val ${name} = \"${value}\"`);\n }\n }\n }\n\n lines.push(\" }\");\n lines.push(\"}\");\n lines.push(\"\");\n\n return lines.join(\"\\n\");\n}\n\nfunction generateDartOutput(cssVariables: Record<string, string>): string {\n const lines = [\n \"// Atomix Design System Tokens\",\n \"// Auto-generated - do not edit manually\",\n `// Synced: ${new Date().toISOString()}`,\n \"\",\n \"import 'package:flutter/material.dart';\",\n \"\",\n \"class DesignTokens {\",\n \" DesignTokens._();\",\n \"\",\n \" // Colors\"\n ];\n\n const colors: Array<[string, string]> = [];\n const spacing: Array<[string, string]> = [];\n const typography: Array<[string, string]> = [];\n const other: Array<[string, string]> = [];\n\n for (const [key, value] of Object.entries(cssVariables)) {\n if (key.includes(\"-color-\")) colors.push([key, value]);\n else if (key.includes(\"-spacing-\")) spacing.push([key, value]);\n else if (key.includes(\"-typography-\") || key.includes(\"-font-\")) typography.push([key, value]);\n else other.push([key, value]);\n }\n\n for (const [key, value] of colors) {\n const name = toDartName(key);\n if (isColorValue(value)) {\n lines.push(` static const ${name} = ${hexToDartColor(value)};`);\n }\n }\n\n lines.push(\"\");\n lines.push(\" // Spacing\");\n\n for (const [key, value] of spacing) {\n const name = toDartName(key);\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static const double ${name} = ${numValue};`);\n }\n }\n\n lines.push(\"\");\n lines.push(\" // Typography\");\n\n for (const [key, value] of typography) {\n const name = toDartName(key);\n if (key.includes(\"size\")) {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static const double ${name} = ${numValue};`);\n }\n } else {\n lines.push(` static const String ${name} = '${value}';`);\n }\n }\n\n lines.push(\"\");\n lines.push(\" // Other\");\n\n for (const [key, value] of other) {\n const name = toDartName(key);\n if (isColorValue(value)) {\n lines.push(` static const ${name} = ${hexToDartColor(value)};`);\n } else {\n const numValue = parseFloat(value);\n if (!isNaN(numValue)) {\n lines.push(` static const double ${name} = ${numValue};`);\n } else {\n lines.push(` static const String ${name} = '${value}';`);\n }\n }\n }\n\n lines.push(\"}\");\n lines.push(\"\");\n\n return lines.join(\"\\n\");\n}\n\nfunction diffTokens(\n oldContent: string,\n newCssVars: Record<string, string>,\n format: OutputFormat\n): { added: string[]; modified: Array<{ key: string; old: string; new: string }>; removed: string[] } {\n const added: string[] = [];\n const modified: Array<{ key: string; old: string; new: string }> = [];\n const removed: string[] = [];\n\n // CSS-based formats (css, scss, less) all use CSS variables\n if (format === \"css\" || format === \"scss\" || format === \"less\") {\n // Parse old CSS variables\n const oldVars: Record<string, string> = {};\n const varRegex = /(--[\\w-]+):\\s*([^;]+);/g;\n let match;\n while ((match = varRegex.exec(oldContent)) !== null) {\n oldVars[match[1]] = match[2].trim();\n }\n\n // Compare\n for (const [key, value] of Object.entries(newCssVars)) {\n if (!(key in oldVars)) {\n added.push(key);\n } else if (oldVars[key] !== value) {\n modified.push({ key, old: oldVars[key], new: value });\n }\n }\n\n for (const key of Object.keys(oldVars)) {\n if (!(key in newCssVars)) {\n removed.push(key);\n }\n }\n }\n\n return { added, modified, removed };\n}\n\nasync function promptConfirm(message: string): Promise<boolean> {\n const rl = readline.createInterface({\n input: process.stdin,\n output: process.stdout,\n });\n\n return new Promise((resolve) => {\n rl.question(`${message} [Y/n] `, (answer) => {\n rl.close();\n const normalized = answer.toLowerCase().trim();\n resolve(normalized === \"\" || normalized === \"y\" || normalized === \"yes\");\n });\n });\n}\n\nasync function runSync() {\n console.log(\"\");\n console.log(\" ↘↘↘ Atomix Token Sync\");\n console.log(\"\");\n\n // Load config\n const config = findConfig();\n const effectiveDsId = cliArgs.dsId || config?.dsId;\n const effectiveApiKey = cliArgs.apiKey || config?.apiKey;\n const effectiveApiBase = cliArgs.apiBase || config?.apiBase || \"https://atomixstudio.eu\";\n const effectiveOutput = cliArgs.output || config?.output || \"./tokens.css\";\n const effectiveFormat = cliArgs.format || config?.format || \"css\";\n\n if (!effectiveDsId) {\n console.error(\" Error: Missing design system ID\");\n console.error(\"\");\n console.error(\" Either:\");\n console.error(\" 1. Run: npx atomix sync --ds-id <your-ds-id>\");\n console.error(\" 2. Create .atomixrc with { \\\"dsId\\\": \\\"<your-ds-id>\\\" }\");\n console.error(\" 3. Run: npx atomix init\");\n console.error(\"\");\n process.exit(1);\n }\n\n console.log(` Fetching tokens from ${effectiveApiBase}...`);\n\n // Fetch latest tokens\n const url = `${effectiveApiBase}/api/ds/${effectiveDsId}/tokens?format=export`;\n const headers: Record<string, string> = { \"Content-Type\": \"application/json\" };\n if (effectiveApiKey) headers[\"x-api-key\"] = effectiveApiKey;\n\n let data: ExportedTokens;\n try {\n const response = await fetch(url, { headers });\n if (!response.ok) {\n const errorText = await response.text();\n console.error(` Error: Failed to fetch tokens (${response.status})`);\n console.error(` ${errorText}`);\n process.exit(1);\n }\n data = await response.json() as ExportedTokens;\n } catch (error) {\n console.error(` Error: Could not connect to ${effectiveApiBase}`);\n console.error(` ${error instanceof Error ? error.message : String(error)}`);\n process.exit(1);\n }\n\n console.log(` Design System: ${data.meta.name} (v${data.meta.version})`);\n console.log(\"\");\n\n // Generate new content based on format\n let newContent: string;\n switch (effectiveFormat) {\n case \"css\":\n newContent = generateCSSOutput(data.cssVariables);\n break;\n case \"scss\":\n newContent = generateSCSSOutput(data.cssVariables);\n break;\n case \"less\":\n newContent = generateLessOutput(data.cssVariables);\n break;\n case \"json\":\n newContent = generateJSONOutput(data.tokens);\n break;\n case \"js\":\n newContent = generateJSOutput(data.tokens);\n break;\n case \"ts\":\n newContent = generateTSOutput(data.tokens);\n break;\n case \"swift\":\n newContent = generateSwiftOutput(data.cssVariables);\n break;\n case \"kotlin\":\n newContent = generateKotlinOutput(data.cssVariables);\n break;\n case \"dart\":\n newContent = generateDartOutput(data.cssVariables);\n break;\n default:\n newContent = generateCSSOutput(data.cssVariables);\n break;\n }\n\n // Check if file exists and diff\n const outputPath = path.resolve(process.cwd(), effectiveOutput);\n const fileExists = fs.existsSync(outputPath);\n\n // CSS-based formats support diffing\n const supportsDiff = [\"css\", \"scss\", \"less\"].includes(effectiveFormat);\n if (fileExists && supportsDiff) {\n const oldContent = fs.readFileSync(outputPath, \"utf-8\");\n const diff = diffTokens(oldContent, data.cssVariables, effectiveFormat);\n\n const totalChanges = diff.added.length + diff.modified.length + diff.removed.length;\n\n if (totalChanges === 0) {\n console.log(\" ✓ Already up to date!\");\n console.log(\"\");\n process.exit(0);\n }\n\n console.log(` Changes detected in ${path.basename(effectiveOutput)}:`);\n console.log(\"\");\n\n if (diff.modified.length > 0) {\n for (const { key, old: oldVal, new: newVal } of diff.modified) {\n console.log(` ${key}`);\n console.log(` - ${oldVal}`);\n console.log(` + ${newVal}`);\n }\n }\n\n if (diff.added.length > 0) {\n console.log(` + ${diff.added.length} new token(s)`);\n }\n\n if (diff.removed.length > 0) {\n console.log(` - ${diff.removed.length} removed token(s)`);\n }\n\n console.log(\"\");\n console.log(` Total: ${totalChanges} change(s)`);\n console.log(\"\");\n\n // Confirm\n if (!cliArgs.yes) {\n const confirmed = await promptConfirm(\" Apply changes?\");\n if (!confirmed) {\n console.log(\" Cancelled.\");\n process.exit(0);\n }\n }\n } else if (!fileExists) {\n console.log(` Creating ${effectiveOutput}...`);\n console.log(` ${Object.keys(data.cssVariables).length} tokens`);\n console.log(\"\");\n\n if (!cliArgs.yes) {\n const confirmed = await promptConfirm(\" Create file?\");\n if (!confirmed) {\n console.log(\" Cancelled.\");\n process.exit(0);\n }\n }\n }\n\n // Write file\n const outputDir = path.dirname(outputPath);\n if (!fs.existsSync(outputDir)) {\n fs.mkdirSync(outputDir, { recursive: true });\n }\n fs.writeFileSync(outputPath, newContent);\n\n console.log(\"\");\n console.log(` ✓ Updated ${effectiveOutput}`);\n console.log(\"\");\n}\n\nasync function runInit() {\n console.log(\"\");\n console.log(\" ↘↘↘ Atomix Config Setup\");\n console.log(\"\");\n\n const rl = readline.createInterface({\n input: process.stdin,\n output: process.stdout,\n });\n\n const question = (prompt: string): Promise<string> =>\n new Promise((resolve) => rl.question(prompt, resolve));\n\n const dsId = cliArgs.dsId || await question(\" Design System ID: \");\n const output = await question(\" Output file [./tokens.css]: \") || \"./tokens.css\";\n const format = await question(\" Format (css/json/ts) [css]: \") || \"css\";\n\n rl.close();\n\n const config: AtomixConfig = {\n dsId,\n output,\n format: format as \"css\" | \"json\" | \"ts\",\n };\n\n const configPath = path.join(process.cwd(), \".atomixrc\");\n fs.writeFileSync(configPath, JSON.stringify(config, null, 2) + \"\\n\");\n\n console.log(\"\");\n console.log(` ✓ Created .atomixrc`);\n console.log(\"\");\n console.log(\" Now run: npx atomix sync\");\n console.log(\"\");\n}\n\nfunction showHelp() {\n console.log(`\n ↘↘↘ Atomix CLI\n\n COMMANDS\n sync Sync design tokens to your project\n init Create .atomixrc config file\n help Show this help message\n (none) Start MCP server for AI tools\n\n SYNC OPTIONS\n --ds-id Design system ID (or set in .atomixrc)\n --api-key API key for private design systems\n --output, -o Output file path [./tokens.css]\n --format Output format [css]\n WEB:\n css - CSS custom properties (:root { --var: value })\n scss - CSS vars + SCSS variables ($var: value)\n less - CSS vars + Less variables (@var: value)\n json - Raw token JSON\n ts - TypeScript with types\n js - JavaScript ES module\n NATIVE:\n swift - SwiftUI (iOS/macOS)\n kotlin - Jetpack Compose (Android)\n dart - Flutter\n --exclude Glob pattern to exclude (can use multiple times)\n -y, --yes Auto-confirm changes\n\n MCP SERVER OPTIONS\n --ds-id Design system ID (required)\n --api-key API key for private design systems\n --api-base API base URL [https://atomixstudio.eu]\n\n EXAMPLES\n npx atomix sync\n npx atomix sync --ds-id abc123 -o ./src/tokens.css\n npx atomix sync --format scss -o ./src/styles/_tokens.scss\n npx atomix sync --format ts -o ./src/design-tokens.ts\n npx atomix sync --format swift -o ./Sources/DesignTokens.swift\n npx atomix sync --format kotlin -o ./app/src/.../DesignTokens.kt\n npx atomix sync --format dart -o ./lib/design_tokens.dart\n npx atomix init\n npx atomix --ds-id abc123 (start MCP server)\n\n CONFIG FILE (.atomixrc)\n {\n \"dsId\": \"your-design-system-id\",\n \"output\": \"./src/styles/tokens.css\",\n \"format\": \"css\",\n \"exclude\": [\"legacy/**\", \"vendor/**\"]\n }\n\n DEFAULT SCANNED FILES\n *.tsx, *.jsx, *.ts, *.js, *.css, *.scss, *.less, *.vue, *.svelte\n\n DEFAULT EXCLUDED\n node_modules/**, dist/**, build/**, .next/**, *.min.*, *.d.ts\n`);\n}\n\n// ============================================\n// START SERVER\n// ============================================\n\nasync function startServer() {\n if (!dsId) {\n console.error(\"Error: Missing --ds-id argument\");\n console.error(\"Usage: npx atomix --ds-id <id> --api-key <key>\");\n console.error(\"\");\n console.error(\"For sync command: npx atomix sync --help\");\n console.error(\"Get your DS ID from https://atomixstudio.eu/ds/[your-ds-id]\");\n process.exit(1);\n }\n\n const transport = new StdioServerTransport();\n await server.connect(transport);\n \n // Log to stderr so it doesn't interfere with MCP protocol on stdout\n console.error(`Atomix MCP Server started for design system: ${dsId}`);\n}\n\nasync function main() {\n switch (cliArgs.command) {\n case \"sync\":\n await runSync();\n break;\n case \"init\":\n await runInit();\n break;\n case \"help\":\n showHelp();\n break;\n case \"server\":\n default:\n await startServer();\n break;\n }\n}\n\nmain().catch((error) => {\n console.error(\"Failed:\", error);\n process.exit(1);\n});\n\n"],"mappings":";;;AAqBA,SAAS,cAAc;AACvB,SAAS,4BAA4B;AACrC;AAAA,EACE;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,OACK;AA6nCP,YAAY,QAAQ;AACpB,YAAY,UAAU;AACtB,YAAY,cAAc;AAxkC1B,SAAS,YAAqB;AAC5B,QAAM,OAAO,QAAQ,KAAK,MAAM,CAAC;AACjC,MAAI,UAA8B;AAClC,MAAIA,QAAsB;AAC1B,MAAIC,UAAwB;AAC5B,MAAIC,WAAyB;AAC7B,MAAI,SAAwB;AAC5B,MAAI,SAA4B;AAChC,MAAI,UAAoB,CAAC;AACzB,MAAI,MAAM;AAGV,MAAI,KAAK,CAAC,KAAK,CAAC,KAAK,CAAC,EAAE,WAAW,GAAG,GAAG;AACvC,UAAM,MAAM,KAAK,CAAC,EAAE,YAAY;AAChC,QAAI,QAAQ,OAAQ,WAAU;AAAA,aACrB,QAAQ,OAAQ,WAAU;AAAA,aAC1B,QAAQ,UAAU,QAAQ,YAAY,QAAQ,KAAM,WAAU;AAAA,EACzE;AAEA,WAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,KAAK;AACpC,QAAI,KAAK,CAAC,MAAM,aAAa,KAAK,IAAI,CAAC,GAAG;AACxC,MAAAF,QAAO,KAAK,IAAI,CAAC;AACjB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,eAAe,KAAK,IAAI,CAAC,GAAG;AACjD,MAAAC,UAAS,KAAK,IAAI,CAAC;AACnB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,gBAAgB,KAAK,IAAI,CAAC,GAAG;AAClD,MAAAC,WAAU,KAAK,IAAI,CAAC;AACpB;AAAA,IACF,YAAY,KAAK,CAAC,MAAM,cAAc,KAAK,CAAC,MAAM,SAAS,KAAK,IAAI,CAAC,GAAG;AACtE,eAAS,KAAK,IAAI,CAAC;AACnB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,cAAc,KAAK,IAAI,CAAC,GAAG;AAChD,YAAM,IAAI,KAAK,IAAI,CAAC,EAAE,YAAY;AAClC,YAAM,eAA+B,CAAC,OAAO,QAAQ,QAAQ,QAAQ,MAAM,MAAM,SAAS,UAAU,MAAM;AAC1G,UAAI,aAAa,SAAS,CAAC,EAAG,UAAS;AACvC;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,eAAe,KAAK,IAAI,CAAC,GAAG;AACjD,cAAQ,KAAK,KAAK,IAAI,CAAC,CAAC;AACxB;AAAA,IACF,WAAW,KAAK,CAAC,MAAM,QAAQ,KAAK,CAAC,MAAM,SAAS;AAClD,YAAM;AAAA,IACR;AAAA,EACF;AAEA,SAAO,EAAE,SAAS,MAAAF,OAAM,QAAAC,SAAQ,SAAAC,UAAS,QAAQ,QAAQ,SAAS,IAAI;AACxE;AAEA,IAAM,UAAU,UAAU;AAC1B,IAAM,EAAE,MAAM,OAAO,IAAI;AAEzB,IAAM,UAAU,QAAQ,WAAW;AAMnC,IAAI,aAAsC;AAE1C,eAAe,oBAA+C;AAC5D,MAAI,WAAY,QAAO;AAEvB,MAAI,CAAC,MAAM;AACT,UAAM,IAAI,MAAM,qFAAqF;AAAA,EACvG;AAEA,QAAM,MAAM,GAAG,OAAO,WAAW,IAAI;AACrC,QAAM,UAAkC;AAAA,IACtC,gBAAgB;AAAA,EAClB;AAEA,MAAI,QAAQ;AACV,YAAQ,WAAW,IAAI;AAAA,EACzB;AAEA,QAAM,WAAW,MAAM,MAAM,KAAK,EAAE,QAAQ,CAAC;AAE7C,MAAI,CAAC,SAAS,IAAI;AAChB,UAAM,OAAO,MAAM,SAAS,KAAK;AACjC,UAAM,IAAI,MAAM,kCAAkC,SAAS,MAAM,IAAI,IAAI,EAAE;AAAA,EAC7E;AAEA,QAAM,OAAO,MAAM,SAAS,KAAK;AACjC,eAAa;AACb,SAAO;AACT;AAMA,IAAM,mBAAmB,CAAC,UAAU,cAAc,WAAW,UAAU,WAAW,UAAU,WAAW,UAAU,QAAQ;AAGzH,SAAS,eAAe,QAAiCC,OAAuB;AAC9E,QAAM,QAAQA,MAAK,MAAM,GAAG;AAC5B,MAAI,UAAmB;AAEvB,aAAW,QAAQ,OAAO;AACxB,QAAI,WAAW,OAAO,YAAY,YAAY,QAAQ,SAAS;AAC7D,gBAAW,QAAoC,IAAI;AAAA,IACrD,OAAO;AACL,aAAO;AAAA,IACT;AAAA,EACF;AAEA,SAAO;AACT;AAEA,SAAS,cAAc,KAAc,SAAS,IAA6C;AACzF,QAAM,UAAmD,CAAC;AAE1D,MAAI,OAAO,OAAO,QAAQ,YAAY,CAAC,MAAM,QAAQ,GAAG,GAAG;AACzD,eAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,GAAG;AAC9C,YAAM,UAAU,SAAS,GAAG,MAAM,IAAI,GAAG,KAAK;AAE9C,UAAI,SAAS,OAAO,UAAU,YAAY,CAAC,MAAM,QAAQ,KAAK,GAAG;AAC/D,gBAAQ,KAAK,GAAG,cAAc,OAAO,OAAO,CAAC;AAAA,MAC/C,OAAO;AACL,gBAAQ,KAAK,EAAE,MAAM,SAAS,MAAM,CAAC;AAAA,MACvC;AAAA,IACF;AAAA,EACF;AAEA,SAAO;AACT;AAEA,SAAS,aAAa,QAAiC,OAAwD;AAC7G,QAAM,OAAO,cAAc,MAAM;AACjC,QAAM,aAAa,MAAM,YAAY;AAErC,SAAO,KAAK,OAAO,CAAC,EAAE,MAAAA,OAAM,MAAM,MAAM;AACtC,UAAM,YAAYA,MAAK,YAAY,EAAE,SAAS,UAAU;AACxD,UAAM,aAAa,OAAO,KAAK,EAAE,YAAY,EAAE,SAAS,UAAU;AAClE,WAAO,aAAa;AAAA,EACtB,CAAC;AACH;AAMA,SAAS,YAAY,QAAiC,SAAS,IAAY;AACzE,MAAI,QAAQ;AACZ,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,MAAM,GAAG;AACjD,QAAI,SAAS,OAAO,UAAU,YAAY,CAAC,MAAM,QAAQ,KAAK,GAAG;AAC/D,eAAS,YAAY,OAAkC,GAAG,MAAM,GAAG,GAAG,GAAG;AAAA,IAC3E,WAAW,UAAU,UAAa,UAAU,MAAM;AAChD;AAAA,IACF;AAAA,EACF;AACA,SAAO;AACT;AAEA,SAAS,cAAc,MAKrB;AACA,QAAM,aAAqC,CAAC;AAC5C,MAAI,QAAQ;AAEZ,aAAW,CAAC,UAAU,KAAK,KAAK,OAAO,QAAQ,KAAK,MAAM,GAAG;AAC3D,QAAI,SAAS,OAAO,UAAU,UAAU;AACtC,YAAM,QAAQ,YAAY,KAAgC;AAC1D,iBAAW,QAAQ,IAAI;AACvB,eAAS;AAAA,IACX;AAAA,EACF;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA,cAAc,OAAO,KAAK,KAAK,YAAY,EAAE;AAAA,IAC7C,iBAAiB,KAAK,WAAW,MAAM;AAAA,EACzC;AACF;AAMA,IAAM,SAAS,IAAI;AAAA,EACjB;AAAA,IACE,MAAM;AAAA,IACN,SAAS;AAAA,EACX;AAAA,EACA;AAAA,IACE,cAAc;AAAA,MACZ,OAAO,CAAC;AAAA,MACR,WAAW,CAAC;AAAA,MACZ,SAAS,CAAC;AAAA,IACZ;AAAA,EACF;AACF;AAMA,OAAO,kBAAkB,wBAAwB,YAAY;AAC3D,SAAO;AAAA,IACL,OAAO;AAAA,MACL;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,UAAU;AAAA,cACR,MAAM;AAAA,cACN,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,YACA,aAAa;AAAA,cACX,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,UAAU;AAAA,QACvB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,OAAO;AAAA,cACL,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,OAAO;AAAA,QACpB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,OAAO;AAAA,cACL,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,YACA,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM,CAAC,SAAS,WAAW,UAAU,UAAU,cAAc,KAAK;AAAA,cAClE,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,OAAO;AAAA,QACpB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,MAAM,CAAC,UAAU,WAAW,YAAY,SAAS,YAAY,OAAO,WAAW,KAAK;AAAA,cACpF,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,MAAM,CAAC,UAAU,kBAAkB,YAAY,YAAY,UAAU,KAAK;AAAA,cAC1E,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,MAAM;AAAA,cACJ,MAAM;AAAA,cACN,MAAM,CAAC,UAAU,WAAW,YAAY,SAAS,YAAY,OAAO,kBAAkB,SAAS;AAAA,cAC/F,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,MAAM;AAAA,QACnB;AAAA,MACF;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,aAAa;AAAA,UACX,MAAM;AAAA,UACN,YAAY;AAAA,YACV,QAAQ;AAAA,cACN,MAAM;AAAA,cACN,aAAa;AAAA,YACf;AAAA,YACA,QAAQ;AAAA,cACN,MAAM;AAAA,cACN,MAAM,CAAC,OAAO,QAAQ,QAAQ,QAAQ,MAAM,MAAM,SAAS,UAAU,MAAM;AAAA,cAC3E,aAAa;AAAA,YACf;AAAA,UACF;AAAA,UACA,UAAU,CAAC,QAAQ;AAAA,QACrB;AAAA,MACF;AAAA,IACF;AAAA,EACF;AACF,CAAC;AAMD,OAAO,kBAAkB,uBAAuB,OAAO,YAAY;AACjE,QAAM,EAAE,MAAM,WAAW,KAAK,IAAI,QAAQ;AAE1C,MAAI;AACF,UAAM,OAAO,MAAM,kBAAkB;AAErC,YAAQ,MAAM;AAAA,MACZ,KAAK,YAAY;AACf,cAAMA,QAAO,MAAM;AACnB,cAAM,QAAQ,eAAe,KAAK,QAAQA,KAAI;AAE9C,YAAI,UAAU,QAAW;AACvB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,oBAAoBA,KAAI;AAAA,gBAC/B,YAAY;AAAA,gBACZ,qBAAqB;AAAA,cACvB,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAGA,cAAM,YAAY,UAAUA,MAAK,QAAQ,OAAO,GAAG,CAAC;AACpD,cAAM,SAAS,KAAK,aAAa,SAAS;AAE1C,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB,MAAAA;AAAA,cACA;AAAA,cACA,aAAa,UAAU,OAAO,SAAS;AAAA,cACvC,OAAO,2BAA2B,SAAS;AAAA,YAC7C,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,cAAc;AACjB,cAAM,WAAW,MAAM;AACvB,cAAM,cAAc,MAAM;AAE1B,YAAI,eAAwB,KAAK,OAAO,QAAQ;AAEhD,YAAI,eAAe,gBAAgB,OAAO,iBAAiB,UAAU;AACnE,yBAAe,eAAe,cAAyC,WAAW;AAAA,QACpF;AAEA,YAAI,CAAC,cAAc;AACjB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,uBAAuB,QAAQ,GAAG,cAAc,IAAI,WAAW,KAAK,EAAE;AAAA,gBAC7E,qBAAqB;AAAA,cACvB,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,cAAM,OAAO,cAAc,YAAY;AAEvC,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA;AAAA,cACA,OAAO,KAAK;AAAA,cACZ,QAAQ,KAAK,MAAM,GAAG,EAAE;AAAA;AAAA,cACxB,WAAW,KAAK,SAAS;AAAA,YAC3B,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,gBAAgB;AACnB,cAAM,QAAQ,MAAM;AACpB,cAAM,UAAU,aAAa,KAAK,QAAQ,KAAK;AAE/C,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA,OAAO,QAAQ;AAAA,cACf,SAAS,QAAQ,MAAM,GAAG,EAAE;AAAA,cAC5B,WAAW,QAAQ,SAAS;AAAA,YAC9B,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,iBAAiB;AACpB,cAAM,QAAQ,MAAM;AACpB,cAAM,UAAW,MAAM,WAAsB;AAG7C,cAAM,aAAa,sBAAsB,KAAK,KAAK;AACnD,cAAM,aAAa,wBAAwB,KAAK,KAAK;AACrD,cAAM,eAAe,UAAU,KAAK,KAAK;AAEzC,YAAI,CAAC,cAAc,CAAC,cAAc,CAAC,cAAc;AAC/C,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB;AAAA,gBACA,OAAO;AAAA,gBACP,SAAS;AAAA,cACX,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAGA,cAAM,UAAU,aAAa,KAAK,QAAQ,KAAK;AAE/C,YAAI,QAAQ,SAAS,GAAG;AACtB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB;AAAA,gBACA,OAAO;AAAA,gBACP,SAAS;AAAA,gBACT,gBAAgB,QAAQ,MAAM,GAAG,CAAC;AAAA,gBAClC,YAAY,kBAAkB,QAAQ,CAAC,EAAE,KAAK,QAAQ,OAAO,GAAG,CAAC,gBAAgB,KAAK;AAAA,cACxF,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA,OAAO;AAAA,cACP,SAAS;AAAA,cACT,YAAY;AAAA,cACZ;AAAA,YACF,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,kBAAkB;AACrB,cAAM,OAAO,MAAM;AAGnB,cAAM,WAAW,GAAG,OAAO,WAAW,IAAI,iBAAiB,SAAS,QAAQ,QAAQ,IAAI;AACxF,gBAAQ,MAAM,8BAA8B,QAAQ,EAAE;AAEtD,cAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,YAAI,OAAQ,SAAQ,WAAW,IAAI;AAEnC,YAAI;AACF,gBAAM,WAAW,MAAM,MAAM,UAAU,EAAE,QAAQ,CAAC;AAClD,kBAAQ,MAAM,qCAAqC,SAAS,MAAM,EAAE;AAEpE,cAAI,CAAC,SAAS,IAAI;AAChB,kBAAM,YAAY,MAAM,SAAS,KAAK;AACtC,oBAAQ,MAAM,oCAAoC,SAAS,EAAE;AAC7D,kBAAM,IAAI,MAAM,0BAA0B,SAAS,MAAM,MAAM,SAAS,EAAE;AAAA,UAC5E;AAEA,gBAAM,QAAQ,MAAM,SAAS,KAAK;AAClC,kBAAQ,MAAM,wBAAwB,MAAM,OAAO,UAAU,CAAC,QAAQ;AAEtE,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU,OAAO,MAAM,CAAC;AAAA,YACrC,CAAC;AAAA,UACH;AAAA,QACF,SAAS,YAAY;AACnB,kBAAQ,MAAM,iCAAiC,UAAU;AACzD,gBAAM;AAAA,QACR;AAAA,MACF;AAAA,MAEA,KAAK,mBAAmB;AACtB,cAAM,OAAO,MAAM;AAGnB,cAAM,aAAa,KAAK,KAAK,KAAK,YAAY,EAAE,QAAQ,cAAc,GAAG;AACzE,cAAM,UAAU,CAAC,0BAA0B;AAC3C,YAAI,KAAM,SAAQ,KAAK,WAAW,IAAI;AACtC,YAAI,OAAQ,SAAQ,KAAK,aAAa,MAAM;AAE5C,cAAM,SAAS;AAAA,UACb,YAAY;AAAA,YACV,CAAC,UAAU,GAAG;AAAA,cACZ,SAAS;AAAA,cACT,MAAM;AAAA,YACR;AAAA,UACF;AAAA,QACF;AAEA,cAAM,UAA6D;AAAA,UACjE,QAAQ,EAAE,MAAM,oBAAoB,SAAS,KAAK,UAAU,QAAQ,MAAM,CAAC,EAAE;AAAA,UAC7E,kBAAkB,EAAE,MAAM,8BAA8B,SAAS,KAAK,UAAU,QAAQ,MAAM,CAAC,EAAE;AAAA,UACjG,UAAU,EAAE,MAAM,sBAAsB,SAAS,KAAK,UAAU,QAAQ,MAAM,CAAC,EAAE;AAAA,UACjF,UAAU,EAAE,MAAM,yBAAyB,SAAS,KAAK,UAAU,EAAE,QAAQ,CAAC,GAAG,YAAY,CAAC,EAAE,MAAM,YAAY,SAAS,OAAO,MAAM,QAAQ,CAAC,EAAE,GAAG,MAAM,CAAC,EAAE;AAAA,UAC/J,QAAQ,EAAE,MAAM,yBAAyB,SAAS,KAAK,UAAU,EAAE,eAAe,OAAO,WAAW,GAAG,MAAM,CAAC,EAAE;AAAA,QAClH;AAEA,YAAI,SAAS,OAAO;AAClB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,SAAS;AAAA,gBACT,SAAS,OAAO,QAAQ,OAAO,EAAE,IAAI,CAAC,CAAC,GAAG,CAAC,OAAO;AAAA,kBAChD,MAAM;AAAA,kBACN,MAAM,EAAE;AAAA,kBACR,SAAS,KAAK,MAAM,EAAE,OAAO;AAAA,gBAC/B,EAAE;AAAA,cACJ,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,cAAM,iBAAiB,QAAQ,IAA4B;AAC3D,YAAI,CAAC,gBAAgB;AACnB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,iBAAiB,IAAI;AAAA,gBAC5B,gBAAgB,OAAO,KAAK,OAAO;AAAA,cACrC,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB;AAAA,cACA,MAAM,eAAe;AAAA,cACrB,SAAS,KAAK,MAAM,eAAe,OAAO;AAAA,cAC1C,cAAc,sBAAsB,eAAe,IAAI;AAAA,YACzD,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,wBAAwB;AAC3B,cAAM,OAAO,MAAM;AAEnB,cAAM,eAAuC;AAAA,UAC3C,QAAQ;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,UAOR,SAAS;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,UAOT,UAAU;AAAA;AAAA;AAAA;AAAA;AAAA,UAMV,OAAO;AAAA;AAAA;AAAA;AAAA,UAKP,UAAU;AAAA;AAAA;AAAA;AAAA;AAAA,UAMV,KAAK;AAAA;AAAA;AAAA;AAAA,UAKL,kBAAkB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,UAQlB,SAAS;AAAA;AAAA;AAAA;AAAA;AAAA,QAKX;AAEA,cAAM,cAAc,aAAa,IAAI;AACrC,YAAI,CAAC,aAAa;AAChB,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU;AAAA,gBACnB,OAAO,iBAAiB,IAAI;AAAA,gBAC5B,gBAAgB,OAAO,KAAK,YAAY;AAAA,cAC1C,GAAG,MAAM,CAAC;AAAA,YACZ,CAAC;AAAA,UACH;AAAA,QACF;AAEA,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM;AAAA,UACR,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA,KAAK,cAAc;AACjB,cAAM,SAAS,MAAM;AACrB,cAAM,SAAU,MAAM,UAA2B;AAEjD,YAAI,CAAC,QAAQ;AACX,iBAAO;AAAA,YACL,SAAS,CAAC;AAAA,cACR,MAAM;AAAA,cACN,MAAM,KAAK,UAAU,EAAE,OAAO,qCAAqC,GAAG,MAAM,CAAC;AAAA,YAC/E,CAAC;AAAA,UACH;AAAA,QACF;AAGA,YAAI;AACJ,gBAAQ,QAAQ;AAAA,UACd,KAAK;AACH,yBAAa,kBAAkB,KAAK,YAAY;AAChD;AAAA,UACF,KAAK;AACH,yBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,UACF,KAAK;AACH,yBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,UACF,KAAK;AACH,yBAAa,mBAAmB,KAAK,MAAM;AAC3C;AAAA,UACF,KAAK;AACH,yBAAa,iBAAiB,KAAK,MAAM;AACzC;AAAA,UACF,KAAK;AACH,yBAAa,iBAAiB,KAAK,MAAM;AACzC;AAAA,UACF,KAAK;AACH,yBAAa,oBAAoB,KAAK,YAAY;AAClD;AAAA,UACF,KAAK;AACH,yBAAa,qBAAqB,KAAK,YAAY;AACnD;AAAA,UACF,KAAK;AACH,yBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,UACF;AACE,yBAAa,kBAAkB,KAAK,YAAY;AAAA,QACpD;AAGA,cAAM,aAAkB,aAAQ,QAAQ,IAAI,GAAG,MAAM;AACrD,cAAM,aAAgB,cAAW,UAAU;AAC3C,cAAM,aAAa,OAAO,KAAK,KAAK,YAAY,EAAE;AAElD,YAAI,cAAc;AAClB,YAAI,UAA4D,CAAC;AAEjE,YAAI,cAAc,CAAC,OAAO,QAAQ,MAAM,EAAE,SAAS,MAAM,GAAG;AAC1D,gBAAM,aAAgB,gBAAa,YAAY,OAAO;AACtD,gBAAM,OAAO,WAAW,YAAY,KAAK,cAAc,MAAsB;AAE7E,gBAAM,eAAe,KAAK,MAAM,SAAS,KAAK,SAAS,SAAS,KAAK,QAAQ;AAE7E,cAAI,iBAAiB,GAAG;AACtB,mBAAO;AAAA,cACL,SAAS,CAAC;AAAA,gBACR,MAAM;AAAA,gBACN,MAAM;AAAA;AAAA,QAAkC,MAAM;AAAA,UAAa,UAAU;AAAA,WAAc,KAAK,KAAK,OAAO;AAAA,cACtG,CAAC;AAAA,YACH;AAAA,UACF;AAEA,oBAAU,KAAK;AACf,wBAAc,YAAY,KAAK,SAAS,MAAM,cAAc,KAAK,MAAM,MAAM,WAAW,KAAK,QAAQ,MAAM;AAAA,QAC7G;AAGA,cAAM,YAAiB,aAAQ,UAAU;AACzC,YAAI,CAAI,cAAW,SAAS,GAAG;AAC7B,UAAG,aAAU,WAAW,EAAE,WAAW,KAAK,CAAC;AAAA,QAC7C;AACA,QAAG,iBAAc,YAAY,UAAU;AAGvC,YAAI,WAAW,iBAAY,UAAU,cAAc,MAAM;AAAA;AACzD,oBAAY,WAAW,MAAM;AAAA;AAC7B,oBAAY,kBAAkB,KAAK,KAAK,IAAI,MAAM,KAAK,KAAK,OAAO;AAAA;AAEnE,YAAI,aAAa;AACf,sBAAY;AAAA,EAAK,WAAW;AAAA;AAC5B,cAAI,QAAQ,SAAS,KAAK,QAAQ,UAAU,IAAI;AAC9C,wBAAY;AACZ,uBAAW,EAAE,KAAK,KAAK,QAAQ,KAAK,OAAO,KAAK,SAAS;AACvD,0BAAY,KAAK,GAAG,KAAK,MAAM,WAAM,MAAM;AAAA;AAAA,YAC7C;AAAA,UACF;AAAA,QACF,WAAW,CAAC,YAAY;AACtB,sBAAY;AAAA,QACd;AAEA,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM;AAAA,UACR,CAAC;AAAA,QACH;AAAA,MACF;AAAA,MAEA;AACE,eAAO;AAAA,UACL,SAAS,CAAC;AAAA,YACR,MAAM;AAAA,YACN,MAAM,KAAK,UAAU;AAAA,cACnB,OAAO,iBAAiB,IAAI;AAAA,cAC5B,gBAAgB,CAAC,YAAY,cAAc,gBAAgB,iBAAiB,kBAAkB,mBAAmB,wBAAwB,YAAY;AAAA,YACvJ,GAAG,MAAM,CAAC;AAAA,UACZ,CAAC;AAAA,QACH;AAAA,IACJ;AAAA,EACF,SAAS,OAAO;AACd,WAAO;AAAA,MACL,SAAS,CAAC;AAAA,QACR,MAAM;AAAA,QACN,MAAM,KAAK,UAAU;AAAA,UACnB,OAAO,iBAAiB,QAAQ,MAAM,UAAU;AAAA,UAChD,YAAY;AAAA,QACd,GAAG,MAAM,CAAC;AAAA,MACZ,CAAC;AAAA,MACD,SAAS;AAAA,IACX;AAAA,EACF;AACF,CAAC;AAMD,IAAM,WAAW,CAAC,UAAU,WAAW,YAAY,SAAS,YAAY,OAAO,SAAS;AAExF,OAAO,kBAAkB,4BAA4B,YAAY;AAC/D,QAAM,OAAO,MAAM,kBAAkB;AACrC,QAAM,QAAQ,cAAc,IAAI;AAEhC,QAAM,YAAY;AAAA,IAChB;AAAA,MACE,KAAK;AAAA,MACL,MAAM,cAAc,KAAK,KAAK,IAAI;AAAA,MAClC,aAAa,+BAA+B,MAAM,KAAK,eAAe,MAAM,eAAe;AAAA,MAC3F,UAAU;AAAA,IACZ;AAAA,IACA,GAAG,SAAS,IAAI,WAAS;AAAA,MACvB,KAAK,kBAAkB,IAAI;AAAA,MAC3B,MAAM,GAAG,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,MAAM,CAAC,CAAC;AAAA,MACrD,aAAa,gCAAgC,IAAI;AAAA,MACjD,UAAU;AAAA,IACZ,EAAE;AAAA,EACJ;AAEA,SAAO,EAAE,UAAU;AACrB,CAAC;AAED,OAAO,kBAAkB,2BAA2B,OAAO,YAAY;AACrE,QAAM,EAAE,IAAI,IAAI,QAAQ;AACxB,QAAM,OAAO,MAAM,kBAAkB;AACrC,QAAM,QAAQ,cAAc,IAAI;AAGhC,MAAI,QAAQ,oBAAoB;AAC9B,UAAM,UAAU,uBAAuB,MAAM,KAAK;AAClD,WAAO;AAAA,MACL,UAAU,CAAC;AAAA,QACT;AAAA,QACA,UAAU;AAAA,QACV,MAAM;AAAA,MACR,CAAC;AAAA,IACH;AAAA,EACF;AAGA,QAAM,aAAa,IAAI,MAAM,0BAA0B;AACvD,MAAI,YAAY;AACd,UAAM,OAAO,WAAW,CAAC;AACzB,QAAI,CAAC,SAAS,SAAS,IAA+B,GAAG;AACvD,YAAM,IAAI,MAAM,iBAAiB,IAAI,gBAAgB,SAAS,KAAK,IAAI,CAAC,EAAE;AAAA,IAC5E;AAGA,UAAM,WAAW,GAAG,OAAO,WAAW,IAAI,iBAAiB,IAAI;AAC/D,UAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,QAAI,OAAQ,SAAQ,WAAW,IAAI;AAEnC,UAAM,WAAW,MAAM,MAAM,UAAU,EAAE,QAAQ,CAAC;AAClD,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,IAAI,MAAM,0BAA0B,SAAS,MAAM,EAAE;AAAA,IAC7D;AAEA,UAAM,YAAY,MAAM,SAAS,KAAK;AAEtC,WAAO;AAAA,MACL,UAAU,CAAC;AAAA,QACT;AAAA,QACA,UAAU;AAAA,QACV,MAAM,UAAU,WAAW,KAAK,UAAU,WAAW,MAAM,CAAC;AAAA,MAC9D,CAAC;AAAA,IACH;AAAA,EACF;AAEA,QAAM,IAAI,MAAM,qBAAqB,GAAG,EAAE;AAC5C,CAAC;AAMD,OAAO,kBAAkB,0BAA0B,YAAY;AAC7D,SAAO;AAAA,IACL,SAAS;AAAA,MACP;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,MACf;AAAA,MACA;AAAA,QACE,MAAM;AAAA,QACN,aAAa;AAAA,QACb,WAAW;AAAA,UACT;AAAA,YACE,MAAM;AAAA,YACN,aAAa;AAAA,YACb,UAAU;AAAA,UACZ;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,EACF;AACF,CAAC;AAED,OAAO,kBAAkB,wBAAwB,OAAO,YAAY;AAClE,QAAM,EAAE,MAAM,WAAW,KAAK,IAAI,QAAQ;AAC1C,QAAM,OAAO,MAAM,kBAAkB;AACrC,QAAM,QAAQ,cAAc,IAAI;AAEhC,UAAQ,MAAM;AAAA,IACZ,KAAK,WAAW;AACd,YAAM,UAAU,uBAAuB,MAAM,KAAK;AAClD,aAAO;AAAA,QACL,aAAa,cAAc,KAAK,KAAK,IAAI;AAAA,QACzC,UAAU;AAAA,UACR;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM;AAAA,YACR;AAAA,UACF;AAAA,UACA;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM;AAAA,YACR;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,IAEA,KAAK,uBAAuB;AAC1B,YAAM,OAAQ,MAAM,QAAmB;AACvC,YAAM,WAAW,GAAG,OAAO,WAAW,IAAI,iBAAiB,IAAI;AAC/D,YAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,UAAI,OAAQ,SAAQ,WAAW,IAAI;AAEnC,YAAM,WAAW,MAAM,MAAM,UAAU,EAAE,QAAQ,CAAC;AAClD,UAAI,CAAC,SAAS,IAAI;AAChB,cAAM,IAAI,MAAM,0BAA0B,SAAS,MAAM,EAAE;AAAA,MAC7D;AAEA,YAAM,YAAY,MAAM,SAAS,KAAK;AAEtC,aAAO;AAAA,QACL,aAAa,2BAA2B,IAAI;AAAA,QAC5C,UAAU;AAAA,UACR;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM,uCAAuC,IAAI;AAAA,YACnD;AAAA,UACF;AAAA,UACA;AAAA,YACE,MAAM;AAAA,YACN,SAAS;AAAA,cACP,MAAM;AAAA,cACN,MAAM,UAAU,WAAW,KAAK,UAAU,WAAW,MAAM,CAAC;AAAA,YAC9D;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAAA,IAEA;AACE,YAAM,IAAI,MAAM,mBAAmB,IAAI,EAAE;AAAA,EAC7C;AACF,CAAC;AAED,SAAS,uBAAuB,MAAwB,OAAiD;AACvG,QAAM,YAAY;AAAA,IAChB;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,oBAAoB,OAAO,QAAQ,MAAM,UAAU,EACtD,IAAI,CAAC,CAAC,KAAK,KAAK,MAAM,OAAO,GAAG,KAAK,KAAK,SAAS,EACnD,KAAK,IAAI;AAEZ,QAAM,WAAW;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AA+BjB,SAAO,GAAG,QAAQ;AAAA,eACL,KAAK,KAAK,IAAI;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,WAQlB,KAAK,KAAK,IAAI;AAAA,YACb,IAAI;AAAA,mBACG,MAAM,KAAK;AAAA,oBACV,MAAM,YAAY;AAAA,uBACf,MAAM,eAAe;AAAA,cAC9B,KAAK,KAAK,WAAW,CAAC;AAAA;AAAA;AAAA;AAAA,EAIlC,iBAAiB;AAAA;AAAA;AAAA;AAAA,EAIjB,UAAU,IAAI,CAAC,GAAG,MAAM,GAAG,IAAI,CAAC,OAAO,EAAE,MAAM,KAAK,EAAE,CAAC,CAAC,QAAQ,EAAE,MAAM,KAAK,EAAE,CAAC,CAAC,EAAE,EAAE,KAAK,IAAI,CAAC;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,+CAsClD,KAAK,KAAK,WAAW,CAAC;AAAA;AAAA,wDAEb,IAAI;AAAA;AAAA;AAAA;AAAA;AAAA;AAM5D;AAuDA,SAAS,aAAkC;AACzC,QAAM,cAAc,CAAC,aAAa,kBAAkB,oBAAoB;AACxE,QAAM,MAAM,QAAQ,IAAI;AAExB,aAAW,QAAQ,aAAa;AAC9B,UAAM,aAAkB,UAAK,KAAK,IAAI;AACtC,QAAO,cAAW,UAAU,GAAG;AAC7B,UAAI;AACF,cAAM,UAAa,gBAAa,YAAY,OAAO;AACnD,eAAO,KAAK,MAAM,OAAO;AAAA,MAC3B,QAAQ;AACN,gBAAQ,MAAM,iBAAiB,IAAI,EAAE;AAAA,MACvC;AAAA,IACF;AAAA,EACF;AACA,SAAO;AACT;AAEA,SAAS,kBAAkB,cAA8C;AACvE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,UAAM,KAAK,KAAK,GAAG,KAAK,KAAK,GAAG;AAAA,EAClC;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,mBAAmB,QAA0C;AACpE,SAAO,KAAK,UAAU,QAAQ,MAAM,CAAC;AACvC;AAEA,SAAS,iBAAiB,QAA0C;AAClE,SAAO;AAAA;AAAA,cAEI,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA;AAAA,wBAEb,KAAK,UAAU,QAAQ,MAAM,CAAC,CAAC;AAAA;AAAA;AAAA;AAIvD;AAEA,SAAS,iBAAiB,QAA0C;AAClE,SAAO;AAAA;AAAA,cAEI,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA;AAAA,wBAEb,KAAK,UAAU,QAAQ,MAAM,CAAC,CAAC;AAAA;AAEvD;AAEA,SAAS,mBAAmB,cAA8C;AACxE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,UAAM,KAAK,KAAK,GAAG,KAAK,KAAK,GAAG;AAAA,EAClC;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,qCAAqC;AAEhD,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AAEvD,UAAM,UAAU,MAAM,IAAI,QAAQ,OAAO,EAAE;AAC3C,UAAM,KAAK,GAAG,OAAO,KAAK,KAAK,GAAG;AAAA,EACpC;AAEA,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,mBAAmB,cAA8C;AACxE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,UAAM,KAAK,KAAK,GAAG,KAAK,KAAK,GAAG;AAAA,EAClC;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,qCAAqC;AAEhD,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AAEvD,UAAM,UAAU,MAAM,IAAI,QAAQ,OAAO,EAAE;AAC3C,UAAM,KAAK,GAAG,OAAO,KAAK,KAAK,GAAG;AAAA,EACpC;AAEA,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAMA,SAAS,YAAY,QAAwB;AAE3C,SAAO,OACJ,QAAQ,YAAY,EAAE,EACtB,QAAQ,aAAa,CAAC,GAAG,MAAM,EAAE,YAAY,CAAC;AACnD;AAEA,SAAS,aAAa,QAAwB;AAE5C,QAAM,QAAQ,YAAY,MAAM;AAChC,SAAO,MAAM,OAAO,CAAC,EAAE,YAAY,IAAI,MAAM,MAAM,CAAC;AACtD;AAEA,SAAS,WAAW,QAAwB;AAE1C,SAAO,YAAY,MAAM;AAC3B;AAEA,SAAS,aAAa,OAAwB;AAC5C,SAAO,sBAAsB,KAAK,KAAK,KAChC,OAAO,KAAK,KAAK,KACjB,OAAO,KAAK,KAAK;AAC1B;AAEA,SAAS,gBAAgB,KAAqB;AAE5C,QAAM,QAAQ,IAAI,QAAQ,KAAK,EAAE;AACjC,MAAI,MAAM,WAAW,GAAG;AAEtB,UAAM,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC;AAC7C,WAAO,gBAAgB,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC;AAAA,EAC9C;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,WAAO,gBAAgB,KAAK;AAAA,EAC9B;AACA,MAAI,MAAM,WAAW,GAAG;AAEtB,UAAM,MAAM,MAAM,UAAU,GAAG,CAAC;AAChC,UAAM,QAAQ,SAAS,MAAM,UAAU,GAAG,CAAC,GAAG,EAAE,IAAI;AACpD,WAAO,gBAAgB,GAAG,aAAa,MAAM,QAAQ,CAAC,CAAC;AAAA,EACzD;AACA,SAAO,mCAAmC,GAAG;AAC/C;AAEA,SAAS,iBAAiB,KAAqB;AAC7C,QAAM,QAAQ,IAAI,QAAQ,KAAK,EAAE,EAAE,YAAY;AAC/C,MAAI,MAAM,WAAW,GAAG;AACtB,UAAM,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC;AAC7C,WAAO,aAAa,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC;AAAA,EAC3C;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,WAAO,aAAa,KAAK;AAAA,EAC3B;AACA,MAAI,MAAM,WAAW,GAAG;AAEtB,UAAM,MAAM,MAAM,UAAU,GAAG,CAAC;AAChC,UAAM,QAAQ,MAAM,UAAU,GAAG,CAAC;AAClC,WAAO,WAAW,KAAK,GAAG,GAAG;AAAA,EAC/B;AACA,SAAO,yCAAyC,GAAG;AACrD;AAEA,SAAS,eAAe,KAAqB;AAC3C,QAAM,QAAQ,IAAI,QAAQ,KAAK,EAAE,EAAE,YAAY;AAC/C,MAAI,MAAM,WAAW,GAAG;AACtB,UAAM,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC,GAAG,IAAI,MAAM,CAAC;AAC7C,WAAO,aAAa,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC;AAAA,EAC3C;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,WAAO,aAAa,KAAK;AAAA,EAC3B;AACA,MAAI,MAAM,WAAW,GAAG;AACtB,UAAM,MAAM,MAAM,UAAU,GAAG,CAAC;AAChC,UAAM,QAAQ,MAAM,UAAU,GAAG,CAAC;AAClC,WAAO,WAAW,KAAK,GAAG,GAAG;AAAA,EAC/B;AACA,SAAO,0CAA0C,GAAG;AACtD;AAEA,SAAS,oBAAoB,cAA8C;AACzE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAGA,QAAM,SAAkC,CAAC;AACzC,QAAM,UAAmC,CAAC;AAC1C,QAAM,aAAsC,CAAC;AAC7C,QAAM,QAAiC,CAAC;AAExC,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,QAAI,IAAI,SAAS,SAAS,EAAG,QAAO,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aAC5C,IAAI,SAAS,WAAW,EAAG,SAAQ,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aACpD,IAAI,SAAS,cAAc,KAAK,IAAI,SAAS,QAAQ,EAAG,YAAW,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,QACxF,OAAM,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,EAC9B;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,QAAQ;AACjC,UAAM,OAAO,YAAY,GAAG;AAC5B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,sBAAsB,IAAI,MAAM,gBAAgB,KAAK,CAAC,EAAE;AAAA,IACrE;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,sBAAsB;AACjC,QAAM,KAAK,oBAAoB;AAE/B,aAAW,CAAC,KAAK,KAAK,KAAK,SAAS;AAClC,UAAM,OAAO,YAAY,GAAG;AAC5B,UAAM,WAAW,WAAW,KAAK;AACjC,QAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,YAAM,KAAK,sBAAsB,IAAI,eAAe,QAAQ,EAAE;AAAA,IAChE;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,yBAAyB;AACpC,QAAM,KAAK,uBAAuB;AAElC,aAAW,CAAC,KAAK,KAAK,KAAK,YAAY;AACrC,UAAM,OAAO,YAAY,GAAG;AAC5B,QAAI,IAAI,SAAS,MAAM,GAAG;AACxB,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,sBAAsB,IAAI,eAAe,QAAQ,EAAE;AAAA,MAChE;AAAA,IACF,WAAW,IAAI,SAAS,QAAQ,GAAG;AACjC,YAAM,KAAK,sBAAsB,IAAI,OAAO,KAAK,GAAG;AAAA,IACtD,WAAW,IAAI,SAAS,QAAQ,GAAG;AACjC,YAAM,KAAK,sBAAsB,IAAI,OAAO,KAAK,GAAG;AAAA,IACtD;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,oBAAoB;AAC/B,QAAM,KAAK,kBAAkB;AAE7B,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO;AAChC,UAAM,OAAO,YAAY,GAAG;AAC5B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,sBAAsB,IAAI,MAAM,gBAAgB,KAAK,CAAC,EAAE;AAAA,IACrE,OAAO;AACL,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,sBAAsB,IAAI,eAAe,QAAQ,EAAE;AAAA,MAChE,OAAO;AACL,cAAM,KAAK,sBAAsB,IAAI,OAAO,KAAK,GAAG;AAAA,MACtD;AAAA,IACF;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,qBAAqB,cAA8C;AAC1E,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,SAAkC,CAAC;AACzC,QAAM,UAAmC,CAAC;AAC1C,QAAM,aAAsC,CAAC;AAC7C,QAAM,QAAiC,CAAC;AAExC,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,QAAI,IAAI,SAAS,SAAS,EAAG,QAAO,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aAC5C,IAAI,SAAS,WAAW,EAAG,SAAQ,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aACpD,IAAI,SAAS,cAAc,KAAK,IAAI,SAAS,QAAQ,EAAG,YAAW,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,QACxF,OAAM,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,EAC9B;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,QAAQ;AACjC,UAAM,OAAO,aAAa,GAAG;AAC7B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,eAAe,IAAI,MAAM,iBAAiB,KAAK,CAAC,EAAE;AAAA,IAC/D;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,sBAAsB;AAEjC,aAAW,CAAC,KAAK,KAAK,KAAK,SAAS;AAClC,UAAM,OAAO,aAAa,GAAG;AAC7B,UAAM,WAAW,WAAW,KAAK;AACjC,QAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,YAAM,KAAK,eAAe,IAAI,MAAM,QAAQ,KAAK;AAAA,IACnD;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,yBAAyB;AAEpC,aAAW,CAAC,KAAK,KAAK,KAAK,YAAY;AACrC,UAAM,OAAO,aAAa,GAAG;AAC7B,QAAI,IAAI,SAAS,MAAM,GAAG;AACxB,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,eAAe,IAAI,MAAM,QAAQ,KAAK;AAAA,MACnD;AAAA,IACF,OAAO;AACL,YAAM,KAAK,qBAAqB,IAAI,OAAO,KAAK,GAAG;AAAA,IACrD;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,oBAAoB;AAE/B,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO;AAChC,UAAM,OAAO,aAAa,GAAG;AAC7B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,eAAe,IAAI,MAAM,iBAAiB,KAAK,CAAC,EAAE;AAAA,IAC/D,OAAO;AACL,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,eAAe,IAAI,MAAM,QAAQ,KAAK;AAAA,MACnD,OAAO;AACL,cAAM,KAAK,qBAAqB,IAAI,OAAO,KAAK,GAAG;AAAA,MACrD;AAAA,IACF;AAAA,EACF;AAEA,QAAM,KAAK,OAAO;AAClB,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,mBAAmB,cAA8C;AACxE,QAAM,QAAQ;AAAA,IACZ;AAAA,IACA;AAAA,IACA,eAAc,oBAAI,KAAK,GAAE,YAAY,CAAC;AAAA,IACtC;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,SAAkC,CAAC;AACzC,QAAM,UAAmC,CAAC;AAC1C,QAAM,aAAsC,CAAC;AAC7C,QAAM,QAAiC,CAAC;AAExC,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,YAAY,GAAG;AACvD,QAAI,IAAI,SAAS,SAAS,EAAG,QAAO,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aAC5C,IAAI,SAAS,WAAW,EAAG,SAAQ,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,aACpD,IAAI,SAAS,cAAc,KAAK,IAAI,SAAS,QAAQ,EAAG,YAAW,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,QACxF,OAAM,KAAK,CAAC,KAAK,KAAK,CAAC;AAAA,EAC9B;AAEA,aAAW,CAAC,KAAK,KAAK,KAAK,QAAQ;AACjC,UAAM,OAAO,WAAW,GAAG;AAC3B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,kBAAkB,IAAI,MAAM,eAAe,KAAK,CAAC,GAAG;AAAA,IACjE;AAAA,EACF;AAEA,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,cAAc;AAEzB,aAAW,CAAC,KAAK,KAAK,KAAK,SAAS;AAClC,UAAM,OAAO,WAAW,GAAG;AAC3B,UAAM,WAAW,WAAW,KAAK;AACjC,QAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,YAAM,KAAK,yBAAyB,IAAI,MAAM,QAAQ,GAAG;AAAA,IAC3D;AAAA,EACF;AAEA,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,iBAAiB;AAE5B,aAAW,CAAC,KAAK,KAAK,KAAK,YAAY;AACrC,UAAM,OAAO,WAAW,GAAG;AAC3B,QAAI,IAAI,SAAS,MAAM,GAAG;AACxB,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,yBAAyB,IAAI,MAAM,QAAQ,GAAG;AAAA,MAC3D;AAAA,IACF,OAAO;AACL,YAAM,KAAK,yBAAyB,IAAI,OAAO,KAAK,IAAI;AAAA,IAC1D;AAAA,EACF;AAEA,QAAM,KAAK,EAAE;AACb,QAAM,KAAK,YAAY;AAEvB,aAAW,CAAC,KAAK,KAAK,KAAK,OAAO;AAChC,UAAM,OAAO,WAAW,GAAG;AAC3B,QAAI,aAAa,KAAK,GAAG;AACvB,YAAM,KAAK,kBAAkB,IAAI,MAAM,eAAe,KAAK,CAAC,GAAG;AAAA,IACjE,OAAO;AACL,YAAM,WAAW,WAAW,KAAK;AACjC,UAAI,CAAC,MAAM,QAAQ,GAAG;AACpB,cAAM,KAAK,yBAAyB,IAAI,MAAM,QAAQ,GAAG;AAAA,MAC3D,OAAO;AACL,cAAM,KAAK,yBAAyB,IAAI,OAAO,KAAK,IAAI;AAAA,MAC1D;AAAA,IACF;AAAA,EACF;AAEA,QAAM,KAAK,GAAG;AACd,QAAM,KAAK,EAAE;AAEb,SAAO,MAAM,KAAK,IAAI;AACxB;AAEA,SAAS,WACP,YACA,YACA,QACoG;AACpG,QAAM,QAAkB,CAAC;AACzB,QAAM,WAA6D,CAAC;AACpE,QAAM,UAAoB,CAAC;AAG3B,MAAI,WAAW,SAAS,WAAW,UAAU,WAAW,QAAQ;AAE9D,UAAM,UAAkC,CAAC;AACzC,UAAM,WAAW;AACjB,QAAI;AACJ,YAAQ,QAAQ,SAAS,KAAK,UAAU,OAAO,MAAM;AACnD,cAAQ,MAAM,CAAC,CAAC,IAAI,MAAM,CAAC,EAAE,KAAK;AAAA,IACpC;AAGA,eAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,UAAU,GAAG;AACrD,UAAI,EAAE,OAAO,UAAU;AACrB,cAAM,KAAK,GAAG;AAAA,MAChB,WAAW,QAAQ,GAAG,MAAM,OAAO;AACjC,iBAAS,KAAK,EAAE,KAAK,KAAK,QAAQ,GAAG,GAAG,KAAK,MAAM,CAAC;AAAA,MACtD;AAAA,IACF;AAEA,eAAW,OAAO,OAAO,KAAK,OAAO,GAAG;AACtC,UAAI,EAAE,OAAO,aAAa;AACxB,gBAAQ,KAAK,GAAG;AAAA,MAClB;AAAA,IACF;AAAA,EACF;AAEA,SAAO,EAAE,OAAO,UAAU,QAAQ;AACpC;AAEA,eAAe,cAAc,SAAmC;AAC9D,QAAM,KAAc,yBAAgB;AAAA,IAClC,OAAO,QAAQ;AAAA,IACf,QAAQ,QAAQ;AAAA,EAClB,CAAC;AAED,SAAO,IAAI,QAAQ,CAACC,aAAY;AAC9B,OAAG,SAAS,GAAG,OAAO,WAAW,CAAC,WAAW;AAC3C,SAAG,MAAM;AACT,YAAM,aAAa,OAAO,YAAY,EAAE,KAAK;AAC7C,MAAAA,SAAQ,eAAe,MAAM,eAAe,OAAO,eAAe,KAAK;AAAA,IACzE,CAAC;AAAA,EACH,CAAC;AACH;AAEA,eAAe,UAAU;AACvB,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,yCAA0B;AACtC,UAAQ,IAAI,EAAE;AAGd,QAAM,SAAS,WAAW;AAC1B,QAAM,gBAAgB,QAAQ,QAAQ,QAAQ;AAC9C,QAAM,kBAAkB,QAAQ,UAAU,QAAQ;AAClD,QAAM,mBAAmB,QAAQ,WAAW,QAAQ,WAAW;AAC/D,QAAM,kBAAkB,QAAQ,UAAU,QAAQ,UAAU;AAC5D,QAAM,kBAAkB,QAAQ,UAAU,QAAQ,UAAU;AAE5D,MAAI,CAAC,eAAe;AAClB,YAAQ,MAAM,mCAAmC;AACjD,YAAQ,MAAM,EAAE;AAChB,YAAQ,MAAM,WAAW;AACzB,YAAQ,MAAM,kDAAkD;AAChE,YAAQ,MAAM,yDAA6D;AAC3E,YAAQ,MAAM,6BAA6B;AAC3C,YAAQ,MAAM,EAAE;AAChB,YAAQ,KAAK,CAAC;AAAA,EAChB;AAEA,UAAQ,IAAI,0BAA0B,gBAAgB,KAAK;AAG3D,QAAM,MAAM,GAAG,gBAAgB,WAAW,aAAa;AACvD,QAAM,UAAkC,EAAE,gBAAgB,mBAAmB;AAC7E,MAAI,gBAAiB,SAAQ,WAAW,IAAI;AAE5C,MAAI;AACJ,MAAI;AACF,UAAM,WAAW,MAAM,MAAM,KAAK,EAAE,QAAQ,CAAC;AAC7C,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,YAAY,MAAM,SAAS,KAAK;AACtC,cAAQ,MAAM,oCAAoC,SAAS,MAAM,GAAG;AACpE,cAAQ,MAAM,KAAK,SAAS,EAAE;AAC9B,cAAQ,KAAK,CAAC;AAAA,IAChB;AACA,WAAO,MAAM,SAAS,KAAK;AAAA,EAC7B,SAAS,OAAO;AACd,YAAQ,MAAM,iCAAiC,gBAAgB,EAAE;AACjE,YAAQ,MAAM,KAAK,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC,EAAE;AAC3E,YAAQ,KAAK,CAAC;AAAA,EAChB;AAEA,UAAQ,IAAI,oBAAoB,KAAK,KAAK,IAAI,MAAM,KAAK,KAAK,OAAO,GAAG;AACxE,UAAQ,IAAI,EAAE;AAGd,MAAI;AACJ,UAAQ,iBAAiB;AAAA,IACvB,KAAK;AACH,mBAAa,kBAAkB,KAAK,YAAY;AAChD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,MAAM;AAC3C;AAAA,IACF,KAAK;AACH,mBAAa,iBAAiB,KAAK,MAAM;AACzC;AAAA,IACF,KAAK;AACH,mBAAa,iBAAiB,KAAK,MAAM;AACzC;AAAA,IACF,KAAK;AACH,mBAAa,oBAAoB,KAAK,YAAY;AAClD;AAAA,IACF,KAAK;AACH,mBAAa,qBAAqB,KAAK,YAAY;AACnD;AAAA,IACF,KAAK;AACH,mBAAa,mBAAmB,KAAK,YAAY;AACjD;AAAA,IACF;AACE,mBAAa,kBAAkB,KAAK,YAAY;AAChD;AAAA,EACJ;AAGA,QAAM,aAAkB,aAAQ,QAAQ,IAAI,GAAG,eAAe;AAC9D,QAAM,aAAgB,cAAW,UAAU;AAG3C,QAAM,eAAe,CAAC,OAAO,QAAQ,MAAM,EAAE,SAAS,eAAe;AACrE,MAAI,cAAc,cAAc;AAC9B,UAAM,aAAgB,gBAAa,YAAY,OAAO;AACtD,UAAM,OAAO,WAAW,YAAY,KAAK,cAAc,eAAe;AAEtE,UAAM,eAAe,KAAK,MAAM,SAAS,KAAK,SAAS,SAAS,KAAK,QAAQ;AAE7E,QAAI,iBAAiB,GAAG;AACtB,cAAQ,IAAI,8BAAyB;AACrC,cAAQ,IAAI,EAAE;AACd,cAAQ,KAAK,CAAC;AAAA,IAChB;AAEA,YAAQ,IAAI,yBAA8B,cAAS,eAAe,CAAC,GAAG;AACtE,YAAQ,IAAI,EAAE;AAEd,QAAI,KAAK,SAAS,SAAS,GAAG;AAC5B,iBAAW,EAAE,KAAK,KAAK,QAAQ,KAAK,OAAO,KAAK,KAAK,UAAU;AAC7D,gBAAQ,IAAI,OAAO,GAAG,EAAE;AACxB,gBAAQ,IAAI,WAAW,MAAM,EAAE;AAC/B,gBAAQ,IAAI,WAAW,MAAM,EAAE;AAAA,MACjC;AAAA,IACF;AAEA,QAAI,KAAK,MAAM,SAAS,GAAG;AACzB,cAAQ,IAAI,SAAS,KAAK,MAAM,MAAM,eAAe;AAAA,IACvD;AAEA,QAAI,KAAK,QAAQ,SAAS,GAAG;AAC3B,cAAQ,IAAI,SAAS,KAAK,QAAQ,MAAM,mBAAmB;AAAA,IAC7D;AAEA,YAAQ,IAAI,EAAE;AACd,YAAQ,IAAI,YAAY,YAAY,YAAY;AAChD,YAAQ,IAAI,EAAE;AAGd,QAAI,CAAC,QAAQ,KAAK;AAChB,YAAM,YAAY,MAAM,cAAc,kBAAkB;AACxD,UAAI,CAAC,WAAW;AACd,gBAAQ,IAAI,cAAc;AAC1B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF;AAAA,EACF,WAAW,CAAC,YAAY;AACtB,YAAQ,IAAI,cAAc,eAAe,KAAK;AAC9C,YAAQ,IAAI,KAAK,OAAO,KAAK,KAAK,YAAY,EAAE,MAAM,SAAS;AAC/D,YAAQ,IAAI,EAAE;AAEd,QAAI,CAAC,QAAQ,KAAK;AAChB,YAAM,YAAY,MAAM,cAAc,gBAAgB;AACtD,UAAI,CAAC,WAAW;AACd,gBAAQ,IAAI,cAAc;AAC1B,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF;AAAA,EACF;AAGA,QAAM,YAAiB,aAAQ,UAAU;AACzC,MAAI,CAAI,cAAW,SAAS,GAAG;AAC7B,IAAG,aAAU,WAAW,EAAE,WAAW,KAAK,CAAC;AAAA,EAC7C;AACA,EAAG,iBAAc,YAAY,UAAU;AAEvC,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,oBAAe,eAAe,EAAE;AAC5C,UAAQ,IAAI,EAAE;AAChB;AAEA,eAAe,UAAU;AACvB,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,2CAA4B;AACxC,UAAQ,IAAI,EAAE;AAEd,QAAM,KAAc,yBAAgB;AAAA,IAClC,OAAO,QAAQ;AAAA,IACf,QAAQ,QAAQ;AAAA,EAClB,CAAC;AAED,QAAM,WAAW,CAAC,WAChB,IAAI,QAAQ,CAACA,aAAY,GAAG,SAAS,QAAQA,QAAO,CAAC;AAEvD,QAAMC,QAAO,QAAQ,QAAQ,MAAM,SAAS,sBAAsB;AAClE,QAAM,SAAS,MAAM,SAAS,gCAAgC,KAAK;AACnE,QAAM,SAAS,MAAM,SAAS,gCAAgC,KAAK;AAEnE,KAAG,MAAM;AAET,QAAM,SAAuB;AAAA,IAC3B,MAAAA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AAEA,QAAM,aAAkB,UAAK,QAAQ,IAAI,GAAG,WAAW;AACvD,EAAG,iBAAc,YAAY,KAAK,UAAU,QAAQ,MAAM,CAAC,IAAI,IAAI;AAEnE,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,4BAAuB;AACnC,UAAQ,IAAI,EAAE;AACd,UAAQ,IAAI,4BAA4B;AACxC,UAAQ,IAAI,EAAE;AAChB;AAEA,SAAS,WAAW;AAClB,UAAQ,IAAI;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,CAyDb;AACD;AAMA,eAAe,cAAc;AAC3B,MAAI,CAAC,MAAM;AACT,YAAQ,MAAM,iCAAiC;AAC/C,YAAQ,MAAM,gDAAgD;AAC9D,YAAQ,MAAM,EAAE;AAChB,YAAQ,MAAM,0CAA0C;AACxD,YAAQ,MAAM,6DAA6D;AAC3E,YAAQ,KAAK,CAAC;AAAA,EAChB;AAEA,QAAM,YAAY,IAAI,qBAAqB;AAC3C,QAAM,OAAO,QAAQ,SAAS;AAG9B,UAAQ,MAAM,gDAAgD,IAAI,EAAE;AACtE;AAEA,eAAe,OAAO;AACpB,UAAQ,QAAQ,SAAS;AAAA,IACvB,KAAK;AACH,YAAM,QAAQ;AACd;AAAA,IACF,KAAK;AACH,YAAM,QAAQ;AACd;AAAA,IACF,KAAK;AACH,eAAS;AACT;AAAA,IACF,KAAK;AAAA,IACL;AACE,YAAM,YAAY;AAClB;AAAA,EACJ;AACF;AAEA,KAAK,EAAE,MAAM,CAAC,UAAU;AACtB,UAAQ,MAAM,WAAW,KAAK;AAC9B,UAAQ,KAAK,CAAC;AAChB,CAAC;","names":["dsId","apiKey","apiBase","path","resolve","dsId"]}
|