From bef818212edb6169fa7e7d6955cb6c7999e9da29 Mon Sep 17 00:00:00 2001 From: Aman Varshney Date: Sat, 12 Apr 2025 11:54:14 +0530 Subject: [PATCH] replace commander with yargs --- .changeset/angry-goats-call.md | 5 + apps/cli/package.json | 5 +- apps/cli/src/index.ts | 452 +++++++++--------- apps/cli/src/types.ts | 13 +- .../utils/generate-reproducible-command.ts | 2 +- bun.lock | 59 ++- 6 files changed, 284 insertions(+), 252 deletions(-) create mode 100644 .changeset/angry-goats-call.md diff --git a/.changeset/angry-goats-call.md b/.changeset/angry-goats-call.md new file mode 100644 index 0000000..e98bc57 --- /dev/null +++ b/.changeset/angry-goats-call.md @@ -0,0 +1,5 @@ +--- +"create-better-t-stack": patch +--- + +add command completions diff --git a/apps/cli/package.json b/apps/cli/package.json index 2147450..faa6e82 100644 --- a/apps/cli/package.json +++ b/apps/cli/package.json @@ -53,15 +53,16 @@ }, "dependencies": { "@clack/prompts": "^0.10.1", - "commander": "^13.1.0", "execa": "^8.0.1", "fs-extra": "^11.3.0", "gradient-string": "^3.0.0", - "picocolors": "^1.1.1" + "picocolors": "^1.1.1", + "yargs": "^17.7.2" }, "devDependencies": { "@types/fs-extra": "^11.0.4", "@types/node": "^20.17.30", + "@types/yargs": "^17.0.33", "tsup": "^8.4.0", "typescript": "^5.8.3" } diff --git a/apps/cli/src/index.ts b/apps/cli/src/index.ts index a02890d..0337ee7 100644 --- a/apps/cli/src/index.ts +++ b/apps/cli/src/index.ts @@ -1,11 +1,11 @@ import { cancel, intro, log, outro, spinner } from "@clack/prompts"; -import { Command } from "commander"; import pc from "picocolors"; +import yargs from "yargs"; +import { hideBin } from "yargs/helpers"; import { DEFAULT_CONFIG } from "./constants"; import { createProject } from "./helpers/create-project"; import { gatherConfig } from "./prompts/config-prompts"; import type { - CLIOptions, ProjectAddons, ProjectBackend, ProjectConfig, @@ -22,62 +22,134 @@ import { generateReproducibleCommand } from "./utils/generate-reproducible-comma import { getLatestCLIVersion } from "./utils/get-latest-cli-version"; import { renderTitle } from "./utils/render-title"; +type YargsArgv = { + projectDirectory?: string; + + yes?: boolean; + database?: ProjectDatabase; + orm?: ProjectOrm; + auth?: boolean; + frontend?: ProjectFrontend[]; + addons?: ProjectAddons[]; + examples?: ProjectExamples[]; + git?: boolean; + packageManager?: ProjectPackageManager; + install?: boolean; + dbSetup?: ProjectDBSetup; + backend?: ProjectBackend; + runtime?: ProjectRuntime; + + _: (string | number)[]; + $0: string; +}; + const exit = () => process.exit(0); process.on("SIGINT", exit); process.on("SIGTERM", exit); -const program = new Command(); - async function main() { const startTime = Date.now(); - - program - .name("create-better-t-stack") - .description("Create a new Better-T Stack project") - .version(getLatestCLIVersion()) - .argument("[project-directory]", "Project name/directory") - .option("-y, --yes", "Use default configuration") - .option( - "--database ", - "Database type (none, sqlite, postgres, mysql, mongodb)", - ) - .option("--orm ", "ORM type (drizzle, prisma)") - .option("--auth", "Include authentication") - .option("--no-auth", "Exclude authentication") - .option( - "--frontend ", - "Frontend types (tanstack-router, react-router, tanstack-start, native, none)", - ) - .option( - "--addons ", - "Additional addons (pwa, tauri, starlight, biome, husky, none)", - ) - .option("--examples ", "Examples to include (todo, ai)") - .option("--no-examples", "Skip all examples") - .option("--git", "Initialize git repository") - .option("--no-git", "Skip git initialization") - .option("--package-manager ", "Package manager (npm, pnpm, bun)") - .option("--install", "Install dependencies") - .option("--no-install", "Skip installing dependencies") - .option( - "--db-setup ", - "Database setup (turso, neon, prisma-postgres, mongodb-atlas, none)", - ) - .option( - "--backend ", - "Backend framework (hono, express, elysia)", - ) - .option("--runtime ", "Runtime (bun, node)") - .parse(); - const s = spinner(); try { + const argv = await yargs(hideBin(process.argv)) + .scriptName("create-better-t-stack") + .usage( + "$0 [project-directory] [options]", + "Create a new Better-T Stack project", + ) + .positional("project-directory", { + describe: "Project name/directory", + type: "string", + }) + .option("yes", { + alias: "y", + type: "boolean", + describe: "Use default configuration and skip prompts", + default: false, + }) + .option("database", { + type: "string", + describe: "Database type", + choices: ["none", "sqlite", "postgres", "mysql", "mongodb"], + }) + .option("orm", { + type: "string", + describe: "ORM type", + choices: ["drizzle", "prisma", "none"], + }) + .option("auth", { + type: "boolean", + describe: "Include authentication", + }) + .option("frontend", { + type: "array", + string: true, + describe: "Frontend types", + choices: [ + "tanstack-router", + "react-router", + "tanstack-start", + "native", + "none", + ], + }) + .option("addons", { + type: "array", + string: true, + describe: "Additional addons", + choices: ["pwa", "tauri", "starlight", "biome", "husky", "none"], + }) + .option("examples", { + type: "array", + string: true, + describe: "Examples to include", + choices: ["todo", "ai", "none"], + }) + .option("git", { + type: "boolean", + describe: "Initialize git repository", + }) + .option("package-manager", { + alias: "pm", + type: "string", + describe: "Package manager", + choices: ["npm", "pnpm", "bun"], + }) + .option("install", { + type: "boolean", + describe: "Install dependencies (use --no-install to explicitly skip)", + }) + .option("db-setup", { + type: "string", + describe: "Database setup", + choices: ["turso", "neon", "prisma-postgres", "mongodb-atlas", "none"], + }) + .option("backend", { + type: "string", + describe: "Backend framework", + choices: ["hono", "express", "elysia"], + }) + .option("runtime", { + type: "string", + describe: "Runtime", + choices: ["bun", "node"], + }) + .completion() + .recommendCommands() + .version(getLatestCLIVersion()) + .alias("version", "v") + .help() + .alias("help", "h") + .strict() + .wrap(null) + .parse(); + renderTitle(); intro(pc.magenta("Creating a new Better-T-Stack project")); - const options = program.opts() as CLIOptions; - const projectDirectory = program.args[0]; + const options = argv as YargsArgv; + const projectDirectory = options.projectDirectory; const flagConfig = processAndValidateFlags(options, projectDirectory); @@ -104,11 +176,9 @@ async function main() { await createProject(config); log.success( - pc.blue( - `You can reproduce this setup with the following command:\n${pc.white( - generateReproducibleCommand(config), - )}`, - ), + `You can reproduce this setup with the following command:\n${pc.white( + generateReproducibleCommand(config), + )}`, ); const elapsedTimeInSeconds = ((Date.now() - startTime) / 1000).toFixed(2); @@ -120,45 +190,42 @@ async function main() { } catch (error) { s.stop(pc.red("Failed")); if (error instanceof Error) { - cancel(pc.red(`An unexpected error occurred: ${error.message}`)); + if (error.name === "YError") { + cancel(pc.red(`Invalid arguments: ${error.message}`)); + } else { + cancel(pc.red(`An unexpected error occurred: ${error.message}`)); + } + process.exit(1); + } else { + cancel(pc.red("An unexpected error occurred.")); + console.error(error); process.exit(1); } } } function processAndValidateFlags( - options: CLIOptions, + options: YargsArgv, projectDirectory?: string, ): Partial { const config: Partial = {}; if (options.database) { - if ( - !["none", "sqlite", "postgres", "mysql", "mongodb"].includes( - options.database, - ) - ) { - cancel( - pc.red( - `Invalid database type: ${options.database}. Must be none, sqlite, postgres, mysql, or mongodb.`, - ), - ); - process.exit(1); - } config.database = options.database as ProjectDatabase; } if (options.orm) { - if (!["drizzle", "prisma"].includes(options.orm)) { - cancel( - pc.red(`Invalid ORM type: ${options.orm}. Must be drizzle or prisma.`), - ); - process.exit(1); + if (options.orm === "none") { + config.orm = "none"; + } else { + config.orm = options.orm as ProjectOrm; } - config.orm = options.orm as ProjectOrm; } - if (config.database === "mongodb" && config.orm === "drizzle") { + if ( + (config.database ?? options.database) === "mongodb" && + (config.orm ?? options.orm) === "drizzle" + ) { cancel( pc.red( "MongoDB is only available with Prisma. Cannot use --database mongodb with --orm drizzle", @@ -168,23 +235,12 @@ function processAndValidateFlags( } if (options.dbSetup) { - if ( - !["turso", "prisma-postgres", "mongodb-atlas", "neon", "none"].includes( - options.dbSetup, - ) - ) { - cancel( - pc.red( - `Invalid database setup: ${options.dbSetup}. Must be turso, prisma-postgres, mongodb-atlas, neon, or none.`, - ), - ); - process.exit(1); - } + const dbSetup = options.dbSetup as ProjectDBSetup | "none"; - if (options.dbSetup !== "none") { - config.dbSetup = options.dbSetup as ProjectDBSetup; + if (dbSetup !== "none") { + config.dbSetup = dbSetup; - if (options.dbSetup === "turso") { + if (dbSetup === "turso") { if (options.database && options.database !== "sqlite") { cancel( pc.red( @@ -204,7 +260,7 @@ function processAndValidateFlags( process.exit(1); } config.orm = "drizzle"; - } else if (options.dbSetup === "prisma-postgres") { + } else if (dbSetup === "prisma-postgres") { if (options.database && options.database !== "postgres") { cancel( pc.red( @@ -215,7 +271,7 @@ function processAndValidateFlags( } config.database = "postgres"; - if (options.orm && options.orm !== "prisma") { + if (options.orm && options.orm !== "prisma" && options.orm !== "none") { cancel( pc.red( "Prisma PostgreSQL setup requires Prisma ORM. Cannot use --db-setup prisma-postgres with a different ORM.", @@ -224,7 +280,7 @@ function processAndValidateFlags( process.exit(1); } config.orm = "prisma"; - } else if (options.dbSetup === "mongodb-atlas") { + } else if (dbSetup === "mongodb-atlas") { if (options.database && options.database !== "mongodb") { cancel( pc.red( @@ -235,7 +291,7 @@ function processAndValidateFlags( } config.database = "mongodb"; config.orm = "prisma"; - } else if (options.dbSetup === "neon") { + } else if (dbSetup === "neon") { if (options.database && options.database !== "postgres") { cancel( pc.red( @@ -251,7 +307,8 @@ function processAndValidateFlags( } } - if (config.database === "none") { + const effectiveDatabase = config.database ?? options.database; + if (effectiveDatabase === "none") { if (options.auth === true) { cancel( pc.red( @@ -261,72 +318,42 @@ function processAndValidateFlags( process.exit(1); } - if (options.orm && options.orm !== "none") { + const effectiveOrm = config.orm ?? options.orm; + if (effectiveOrm && effectiveOrm !== "none") { cancel( pc.red( - `Cannot use ORM with no database. Cannot use --orm ${options.orm} with --database none.`, + `Cannot use ORM with no database. Cannot use --orm ${effectiveOrm} with --database none.`, ), ); process.exit(1); } + config.orm = "none"; - if (options.dbSetup && options.dbSetup !== "none") { + const effectiveDbSetup = config.dbSetup ?? options.dbSetup; + if (effectiveDbSetup && effectiveDbSetup !== "none") { cancel( pc.red( - `Database setup requires a database. Cannot use --db-setup ${options.dbSetup} with --database none.`, + `Database setup requires a database. Cannot use --db-setup ${effectiveDbSetup} with --database none.`, ), ); process.exit(1); } + config.dbSetup = "none"; } - if ("auth" in options) { + if (options.auth !== undefined) { config.auth = options.auth; } if (options.backend) { - if (!["hono", "elysia", "express"].includes(options.backend)) { - cancel( - pc.red( - `Invalid backend framework: ${options.backend}. Must be hono, elysia, or express.`, - ), - ); - process.exit(1); - } config.backend = options.backend as ProjectBackend; } if (options.runtime) { - if (!["bun", "node"].includes(options.runtime)) { - cancel( - pc.red(`Invalid runtime: ${options.runtime}. Must be bun or node.`), - ); - process.exit(1); - } config.runtime = options.runtime as ProjectRuntime; } if (options.frontend && options.frontend.length > 0) { - const validFrontends = [ - "tanstack-router", - "react-router", - "tanstack-start", - "native", - "none", - ]; - const invalidFrontends = options.frontend.filter( - (frontend: string) => !validFrontends.includes(frontend), - ); - - if (invalidFrontends.length > 0) { - cancel( - pc.red( - `Invalid frontend(s): ${invalidFrontends.join(", ")}. Valid options are: ${validFrontends.join(", ")}.`, - ), - ); - process.exit(1); - } - if (options.frontend.includes("none")) { if (options.frontend.length > 1) { cancel(pc.red(`Cannot combine 'none' with other frontend options.`)); @@ -335,11 +362,7 @@ function processAndValidateFlags( config.frontend = []; } else { const validOptions = options.frontend.filter( - (f): f is ProjectFrontend => - f === "tanstack-router" || - f === "react-router" || - f === "tanstack-start" || - f === "native", + (f): f is ProjectFrontend => f !== "none", ); const webFrontends = validOptions.filter( @@ -357,26 +380,11 @@ function processAndValidateFlags( ); process.exit(1); } - config.frontend = validOptions; } } if (options.addons && options.addons.length > 0) { - const validAddons = ["pwa", "tauri", "biome", "husky", "starlight", "none"]; - const invalidAddons = options.addons.filter( - (addon: string) => !validAddons.includes(addon), - ); - - if (invalidAddons.length > 0) { - cancel( - pc.red( - `Invalid addon(s): ${invalidAddons.join(", ")}. Valid options are: ${validAddons.join(", ")}.`, - ), - ); - process.exit(1); - } - if (options.addons.includes("none")) { if (options.addons.length > 1) { cancel(pc.red(`Cannot combine 'none' with other addons.`)); @@ -385,12 +393,7 @@ function processAndValidateFlags( config.addons = []; } else { const validOptions = options.addons.filter( - (addon): addon is ProjectAddons => - addon === "pwa" || - addon === "tauri" || - addon === "biome" || - addon === "husky" || - addon === "starlight", + (addon): addon is ProjectAddons => addon !== "none", ); const webSpecificAddons = ["pwa", "tauri"]; @@ -398,57 +401,56 @@ function processAndValidateFlags( webSpecificAddons.includes(addon), ); - const hasCompatibleWebFrontend = config.frontend?.some( + const effectiveFrontend = + config.frontend ?? (options.yes ? DEFAULT_CONFIG.frontend : undefined); + + const hasCompatibleWebFrontend = effectiveFrontend?.some( (f) => f === "tanstack-router" || f === "react-router", ); - if ( - hasWebSpecificAddons && - !hasCompatibleWebFrontend && - !( - options.yes && - DEFAULT_CONFIG.frontend.some( - (f) => f === "tanstack-router" || f === "react-router", - ) - ) - ) { - cancel( - pc.red( - "PWA and Tauri addons require tanstack-router or react-router. Cannot use these addons with your frontend selection.", - ), - ); - process.exit(1); + if (hasWebSpecificAddons && !hasCompatibleWebFrontend) { + if (options.frontend) { + cancel( + pc.red( + "PWA and Tauri addons require tanstack-router or react-router. Cannot use these addons with your frontend selection.", + ), + ); + process.exit(1); + } else if (!options.yes) { + } else { + cancel( + pc.red( + "PWA and Tauri addons require tanstack-router or react-router (default frontend incompatible).", + ), + ); + process.exit(1); + } } if (validOptions.includes("husky") && !validOptions.includes("biome")) { validOptions.push("biome"); } - config.addons = validOptions; + config.addons = [...new Set(validOptions)]; } } - if ("examples" in options) { - if (options.examples === false) { - config.examples = []; - } else if (Array.isArray(options.examples)) { - const validExamples = ["todo", "ai"]; - const invalidExamples = options.examples.filter( - (example: string) => !validExamples.includes(example), - ); - - if (invalidExamples.length > 0) { - cancel( - pc.red( - `Invalid example(s): ${invalidExamples.join(", ")}. Valid options are: ${validExamples.join(", ")}.`, - ), - ); + if (options.examples && options.examples.length > 0) { + if (options.examples.includes("none")) { + if (options.examples.length > 1) { + cancel(pc.red("Cannot combine 'none' with other examples.")); process.exit(1); } + config.examples = []; + } else { + const validExamples = options.examples.filter( + (ex): ex is ProjectExamples => ex !== "none", + ); + const effectiveBackend = config.backend ?? options.backend; if ( - options.examples.includes("ai") && - (options.backend === "elysia" || config.backend === "elysia") && + validExamples.includes("ai") && + effectiveBackend === "elysia" && !(options.yes && DEFAULT_CONFIG.backend !== "elysia") ) { cancel( @@ -459,54 +461,47 @@ function processAndValidateFlags( process.exit(1); } - const hasWebFrontend = config.frontend?.some((f) => + const effectiveFrontend = + config.frontend ?? + (options.frontend?.filter((f) => f !== "none") as ProjectFrontend[]) ?? + (options.yes ? DEFAULT_CONFIG.frontend : undefined); + + const hasWebFrontend = effectiveFrontend?.some((f) => ["tanstack-router", "react-router", "tanstack-start"].includes(f), ); - if ( - options.examples.length > 0 && - !hasWebFrontend && - (!options.frontend || - !options.frontend.some((f) => - ["tanstack-router", "react-router", "tanstack-start"].includes(f), - )) && - !( - options.yes && - DEFAULT_CONFIG.frontend.some((f) => - ["tanstack-router", "react-router", "tanstack-start"].includes(f), - ) - ) - ) { - cancel( - pc.red( - "Examples require a web frontend (tanstack-router, react-router, or tanstack-start). Cannot use --examples without a compatible frontend.", - ), - ); - process.exit(1); + if (!hasWebFrontend) { + if (options.frontend) { + cancel( + pc.red( + "Examples require a web frontend (tanstack-router, react-router, or tanstack-start). Cannot use --examples with your frontend selection.", + ), + ); + process.exit(1); + } else if (!options.yes) { + } else { + cancel( + pc.red( + "Examples require a web frontend (tanstack-router, react-router, or tanstack-start) (default frontend incompatible).", + ), + ); + process.exit(1); + } } - config.examples = options.examples.filter( - (ex): ex is ProjectExamples => ex === "todo" || ex === "ai", - ); + + config.examples = validExamples; } } if (options.packageManager) { - if (!["npm", "pnpm", "bun"].includes(options.packageManager)) { - cancel( - pc.red( - `Invalid package manager: ${options.packageManager}. Must be npm, pnpm, or bun.`, - ), - ); - process.exit(1); - } config.packageManager = options.packageManager as ProjectPackageManager; } - if ("git" in options) { + if (options.git !== undefined) { config.git = options.git; } - if ("install" in options) { + if (options.install !== undefined) { config.noInstall = !options.install; } @@ -518,14 +513,15 @@ function processAndValidateFlags( } main().catch((err) => { - log.error("Aborting installation..."); + log.error("Aborting installation due to unexpected error..."); if (err instanceof Error) { log.error(err.message); + console.error(err.stack); } else { log.error( "An unknown error has occurred. Please open an issue on GitHub with the below:", ); - console.log(err); + console.error(err); } process.exit(1); }); diff --git a/apps/cli/src/types.ts b/apps/cli/src/types.ts index 2f4d563..1bb4436 100644 --- a/apps/cli/src/types.ts +++ b/apps/cli/src/types.ts @@ -6,15 +6,22 @@ export type ProjectDatabase = | "none"; export type ProjectOrm = "drizzle" | "prisma" | "none"; export type ProjectPackageManager = "npm" | "pnpm" | "bun"; -export type ProjectAddons = "pwa" | "biome" | "tauri" | "husky" | "starlight"; +export type ProjectAddons = + | "pwa" + | "biome" + | "tauri" + | "husky" + | "starlight" + | "none"; export type ProjectBackend = "hono" | "elysia" | "express"; export type ProjectRuntime = "node" | "bun"; -export type ProjectExamples = "todo" | "ai"; +export type ProjectExamples = "todo" | "ai" | "none"; export type ProjectFrontend = | "react-router" | "tanstack-router" | "tanstack-start" - | "native"; + | "native" + | "none"; export type ProjectDBSetup = | "turso" | "prisma-postgres" diff --git a/apps/cli/src/utils/generate-reproducible-command.ts b/apps/cli/src/utils/generate-reproducible-command.ts index 200377c..1f23af3 100644 --- a/apps/cli/src/utils/generate-reproducible-command.ts +++ b/apps/cli/src/utils/generate-reproducible-command.ts @@ -42,7 +42,7 @@ export function generateReproducibleCommand(config: ProjectConfig): string { if (config.examples && config.examples.length > 0) { flags.push(`--examples ${config.examples.join(" ")}`); } else { - flags.push("--no-examples"); + flags.push("--examples none"); } if (config.packageManager) { diff --git a/bun.lock b/bun.lock index 25418b8..753d8f4 100644 --- a/bun.lock +++ b/bun.lock @@ -20,15 +20,16 @@ }, "dependencies": { "@clack/prompts": "^0.10.1", - "commander": "^13.1.0", "execa": "^8.0.1", "fs-extra": "^11.3.0", "gradient-string": "^3.0.0", "picocolors": "^1.1.1", + "yargs": "^17.7.2", }, "devDependencies": { "@types/fs-extra": "^11.0.4", "@types/node": "^20.17.30", + "@types/yargs": "^17.0.33", "tsup": "^8.4.0", "typescript": "^5.8.3", }, @@ -516,6 +517,10 @@ "@types/unist": ["@types/unist@3.0.3", "", {}, "sha512-ko/gIFJRv177XgZsZcBwnqJN5x/Gien8qNOn0D5bQU/zAzVf9Zt3BlcUiLqhV9y4ARk0GbT3tnUiPNgnTXzc/Q=="], + "@types/yargs": ["@types/yargs@17.0.33", "", { "dependencies": { "@types/yargs-parser": "*" } }, "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA=="], + + "@types/yargs-parser": ["@types/yargs-parser@21.0.3", "", {}, "sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ=="], + "@typescript-eslint/eslint-plugin": ["@typescript-eslint/eslint-plugin@8.24.0", "", { "dependencies": { "@eslint-community/regexpp": "^4.10.0", "@typescript-eslint/scope-manager": "8.24.0", "@typescript-eslint/type-utils": "8.24.0", "@typescript-eslint/utils": "8.24.0", "@typescript-eslint/visitor-keys": "8.24.0", "graphemer": "^1.4.0", "ignore": "^5.3.1", "natural-compare": "^1.4.0", "ts-api-utils": "^2.0.1" }, "peerDependencies": { "@typescript-eslint/parser": "^8.0.0 || ^8.0.0-alpha.0", "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <5.8.0" } }, "sha512-aFcXEJJCI4gUdXgoo/j9udUYIHgF23MFkg09LFz2dzEmU0+1Plk4rQWv/IYKvPHAtlkkGoB3m5e6oUp+JPsNaQ=="], "@typescript-eslint/parser": ["@typescript-eslint/parser@8.24.0", "", { "dependencies": { "@typescript-eslint/scope-manager": "8.24.0", "@typescript-eslint/types": "8.24.0", "@typescript-eslint/typescript-estree": "8.24.0", "@typescript-eslint/visitor-keys": "8.24.0", "debug": "^4.3.4" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <5.8.0" } }, "sha512-MFDaO9CYiard9j9VepMNa9MTcqVvSny2N4hkY6roquzj8pdCBRENhErrteaQuu7Yjn1ppk0v1/ZF9CG3KIlrTA=="], @@ -648,6 +653,8 @@ "client-only": ["client-only@0.0.1", "", {}, "sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA=="], + "cliui": ["cliui@8.0.1", "", { "dependencies": { "string-width": "^4.2.0", "strip-ansi": "^6.0.1", "wrap-ansi": "^7.0.0" } }, "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ=="], + "clsx": ["clsx@2.1.1", "", {}, "sha512-eYm0QWBtUrBWZWG0d386OGAw16Z995PiOVo2B7bjWSbHedGl5e0ZWaq65kOGgUSNesEIDkB9ISbTg/JK9dhCZA=="], "collapse-white-space": ["collapse-white-space@2.1.0", "", {}, "sha512-loKTxY1zCOuG4j9f6EPnuyyYkf58RnhhWTvRoZEokgB+WbdXehfjFviyOVYkqzEWz1Q5kRiZdBYS5SwxbQYwzw=="], @@ -734,7 +741,7 @@ "eastasianwidth": ["eastasianwidth@0.2.0", "", {}, "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA=="], - "emoji-regex": ["emoji-regex@9.2.2", "", {}, "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg=="], + "emoji-regex": ["emoji-regex@8.0.0", "", {}, "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A=="], "emoji-regex-xs": ["emoji-regex-xs@1.0.0", "", {}, "sha512-LRlerrMYoIDrT6jgpeZ2YYl/L8EulRTt5hQcYjy5AInh7HWXKimpqx68aknBFpGL2+/IcogTcaydJEgaTmOpDg=="], @@ -766,6 +773,8 @@ "esbuild": ["esbuild@0.25.0", "", { "optionalDependencies": { "@esbuild/aix-ppc64": "0.25.0", "@esbuild/android-arm": "0.25.0", "@esbuild/android-arm64": "0.25.0", "@esbuild/android-x64": "0.25.0", "@esbuild/darwin-arm64": "0.25.0", "@esbuild/darwin-x64": "0.25.0", "@esbuild/freebsd-arm64": "0.25.0", "@esbuild/freebsd-x64": "0.25.0", "@esbuild/linux-arm": "0.25.0", "@esbuild/linux-arm64": "0.25.0", "@esbuild/linux-ia32": "0.25.0", "@esbuild/linux-loong64": "0.25.0", "@esbuild/linux-mips64el": "0.25.0", "@esbuild/linux-ppc64": "0.25.0", "@esbuild/linux-riscv64": "0.25.0", "@esbuild/linux-s390x": "0.25.0", "@esbuild/linux-x64": "0.25.0", "@esbuild/netbsd-arm64": "0.25.0", "@esbuild/netbsd-x64": "0.25.0", "@esbuild/openbsd-arm64": "0.25.0", "@esbuild/openbsd-x64": "0.25.0", "@esbuild/sunos-x64": "0.25.0", "@esbuild/win32-arm64": "0.25.0", "@esbuild/win32-ia32": "0.25.0", "@esbuild/win32-x64": "0.25.0" }, "bin": { "esbuild": "bin/esbuild" } }, "sha512-BXq5mqc8ltbaN34cDqWuYKyNhX8D/Z0J1xdtdQ8UcIIIyJyz+ZMKUt58tF3SrZ85jcfN/PZYhjR5uDQAYNVbuw=="], + "escalade": ["escalade@3.2.0", "", {}, "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA=="], + "escape-string-regexp": ["escape-string-regexp@4.0.0", "", {}, "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA=="], "eslint": ["eslint@9.24.0", "", { "dependencies": { "@eslint-community/eslint-utils": "^4.2.0", "@eslint-community/regexpp": "^4.12.1", "@eslint/config-array": "^0.20.0", "@eslint/config-helpers": "^0.2.0", "@eslint/core": "^0.12.0", "@eslint/eslintrc": "^3.3.1", "@eslint/js": "9.24.0", "@eslint/plugin-kit": "^0.2.7", "@humanfs/node": "^0.16.6", "@humanwhocodes/module-importer": "^1.0.1", "@humanwhocodes/retry": "^0.4.2", "@types/estree": "^1.0.6", "@types/json-schema": "^7.0.15", "ajv": "^6.12.4", "chalk": "^4.0.0", "cross-spawn": "^7.0.6", "debug": "^4.3.2", "escape-string-regexp": "^4.0.0", "eslint-scope": "^8.3.0", "eslint-visitor-keys": "^4.2.0", "espree": "^10.3.0", "esquery": "^1.5.0", "esutils": "^2.0.2", "fast-deep-equal": "^3.1.3", "file-entry-cache": "^8.0.0", "find-up": "^5.0.0", "glob-parent": "^6.0.2", "ignore": "^5.2.0", "imurmurhash": "^0.1.4", "is-glob": "^4.0.0", "json-stable-stringify-without-jsonify": "^1.0.1", "lodash.merge": "^4.6.2", "minimatch": "^3.1.2", "natural-compare": "^1.4.0", "optionator": "^0.9.3" }, "peerDependencies": { "jiti": "*" }, "optionalPeers": ["jiti"], "bin": { "eslint": "bin/eslint.js" } }, "sha512-eh/jxIEJyZrvbWRe4XuVclLPDYSYYYgLy5zXGGxD6j8zjSAxFEzI2fL/8xNq6O2yKqVt+eF2YhV+hxjV6UKXwQ=="], @@ -874,6 +883,8 @@ "functions-have-names": ["functions-have-names@1.2.3", "", {}, "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ=="], + "get-caller-file": ["get-caller-file@2.0.5", "", {}, "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg=="], + "get-east-asian-width": ["get-east-asian-width@1.3.0", "", {}, "sha512-vpeMIQKxczTD/0s2CdEWHcb0eeJe6TFjxb+J5xgX7hScxqrGuyjmv4c1D4A/gelKfyox0gJJwIHF+fLjeaM8kQ=="], "get-intrinsic": ["get-intrinsic@1.2.7", "", { "dependencies": { "call-bind-apply-helpers": "^1.0.1", "es-define-property": "^1.0.1", "es-errors": "^1.3.0", "es-object-atoms": "^1.0.0", "function-bind": "^1.1.2", "get-proto": "^1.0.0", "gopd": "^1.2.0", "has-symbols": "^1.1.0", "hasown": "^2.0.2", "math-intrinsics": "^1.1.0" } }, "sha512-VW6Pxhsrk0KAOqs3WEd0klDiF/+V7gQOpAvY1jVU/LHmaD/kQO4523aiJuikX/QAKYiW6x8Jh+RJej1almdtCA=="], @@ -988,7 +999,7 @@ "is-finalizationregistry": ["is-finalizationregistry@1.1.1", "", { "dependencies": { "call-bound": "^1.0.3" } }, "sha512-1pC6N8qWJbWoPtEjgcL2xyhQOP491EQjeUo3qTKcmV8YSDDJrOepfG8pcC7h/QgnQHYSv0mJ3Z/ZWxmatVrysg=="], - "is-fullwidth-code-point": ["is-fullwidth-code-point@4.0.0", "", {}, "sha512-O4L094N2/dZ7xqVdrXhh9r1KODPJpFms8B5sGdJLPy664AgvXsreZUyCQQNItZRDlYug4xStLjNp/sz3HvBowQ=="], + "is-fullwidth-code-point": ["is-fullwidth-code-point@3.0.0", "", {}, "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg=="], "is-generator-function": ["is-generator-function@1.1.0", "", { "dependencies": { "call-bound": "^1.0.3", "get-proto": "^1.0.0", "has-tostringtag": "^1.0.2", "safe-regex-test": "^1.1.0" } }, "sha512-nPUB5km40q9e8UfN/Zc24eLlzdSf9OfKByBw9CIdw4H1giPMeA0OIJvbchsCu4npfI2QcMVBsGEBHKZ7wLTWmQ=="], @@ -1406,6 +1417,8 @@ "remark-stringify": ["remark-stringify@11.0.0", "", { "dependencies": { "@types/mdast": "^4.0.0", "mdast-util-to-markdown": "^2.0.0", "unified": "^11.0.0" } }, "sha512-1OSmLd3awB/t8qdoEOMazZkNsfVTeY4fTsgzcQFdXNq8ToTN4ZGwrMnlda4K6smTFKD+GRV6O48i6Z4iKgPPpw=="], + "require-directory": ["require-directory@2.1.1", "", {}, "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q=="], + "resolve": ["resolve@1.22.10", "", { "dependencies": { "is-core-module": "^2.16.0", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" }, "bin": { "resolve": "bin/resolve" } }, "sha512-NPRy+/ncIMeDlTAsuqwKIiferiawhefFJtkNSW0qZJEqMEb+qBt/77B/jGeeek+F0uOeN05CDa6HXbbIgtVX4w=="], "resolve-from": ["resolve-from@5.0.0", "", {}, "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw=="], @@ -1486,7 +1499,7 @@ "string-argv": ["string-argv@0.3.2", "", {}, "sha512-aqD2Q0144Z+/RqG52NeHEkZauTAUWJO8c6yTftGJKO3Tja5tUgIfmIl6kExvhtxSDP7fXB6DvzkfMpCd/F3G+Q=="], - "string-width": ["string-width@7.2.0", "", { "dependencies": { "emoji-regex": "^10.3.0", "get-east-asian-width": "^1.0.0", "strip-ansi": "^7.1.0" } }, "sha512-tsaTIkKW9b4N+AEj+SVA+WhJzV7/zMhcSu78mLKWSk7cXMOSHsBKFWUs0fWwq8QyK3MgJBQRX6Gbi4kYbdvGkQ=="], + "string-width": ["string-width@4.2.3", "", { "dependencies": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" } }, "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g=="], "string-width-cjs": ["string-width@4.2.3", "", { "dependencies": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" } }, "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g=="], @@ -1654,8 +1667,14 @@ "wrap-ansi-cjs": ["wrap-ansi@7.0.0", "", { "dependencies": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" } }, "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q=="], + "y18n": ["y18n@5.0.8", "", {}, "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA=="], + "yaml": ["yaml@2.7.0", "", { "bin": { "yaml": "bin.mjs" } }, "sha512-+hSoy/QHluxmC9kCIJyL/uyFmLmc+e5CFR5Wa+bpIhIj85LVb9ZH2nVnqrHoSvKogwODv0ClqZkmiSSaIH5LTA=="], + "yargs": ["yargs@17.7.2", "", { "dependencies": { "cliui": "^8.0.1", "escalade": "^3.1.1", "get-caller-file": "^2.0.5", "require-directory": "^2.1.1", "string-width": "^4.2.3", "y18n": "^5.0.5", "yargs-parser": "^21.1.1" } }, "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w=="], + + "yargs-parser": ["yargs-parser@21.1.1", "", {}, "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw=="], + "yocto-queue": ["yocto-queue@0.1.0", "", {}, "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q=="], "zod": ["zod@3.24.2", "", {}, "sha512-lY7CDW43ECgW9u1TcT3IoXHflywfVqDYze4waEz812jR/bZ8FHDsl7pFQoSZTz5N+2NqRXs8GBwnAwo3ZNxqhQ=="], @@ -1710,6 +1729,10 @@ "@typescript-eslint/typescript-estree/minimatch": ["minimatch@9.0.5", "", { "dependencies": { "brace-expansion": "^2.0.1" } }, "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow=="], + "cli-truncate/string-width": ["string-width@7.2.0", "", { "dependencies": { "emoji-regex": "^10.3.0", "get-east-asian-width": "^1.0.0", "strip-ansi": "^7.1.0" } }, "sha512-tsaTIkKW9b4N+AEj+SVA+WhJzV7/zMhcSu78mLKWSk7cXMOSHsBKFWUs0fWwq8QyK3MgJBQRX6Gbi4kYbdvGkQ=="], + + "cliui/wrap-ansi": ["wrap-ansi@7.0.0", "", { "dependencies": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" } }, "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q=="], + "create-better-t-stack/typescript": ["typescript@5.8.3", "", { "bin": { "tsc": "bin/tsc", "tsserver": "bin/tsserver" } }, "sha512-p1diW6TqL9L07nNxvRMM7hMMw4c5XOo/1ibL4aAIGmSAt9slTE1Xgw5KWuof2uTOvCg9BY7ZRi+GaF+7sfgPeQ=="], "eslint/chalk": ["chalk@4.1.2", "", { "dependencies": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA=="], @@ -1722,6 +1745,8 @@ "eslint-plugin-import/semver": ["semver@6.3.1", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA=="], + "eslint-plugin-jsx-a11y/emoji-regex": ["emoji-regex@9.2.2", "", {}, "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg=="], + "eslint-plugin-react/resolve": ["resolve@2.0.0-next.5", "", { "dependencies": { "is-core-module": "^2.13.0", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" }, "bin": { "resolve": "bin/resolve" } }, "sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA=="], "eslint-plugin-react/semver": ["semver@6.3.1", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA=="], @@ -1762,13 +1787,7 @@ "slice-ansi/ansi-styles": ["ansi-styles@6.2.1", "", {}, "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug=="], - "string-width/emoji-regex": ["emoji-regex@10.4.0", "", {}, "sha512-EC+0oUMY1Rqm4O6LLrgjtYDvcVYTy7chDnM4Q7030tP4Kwj3u/pR6gP9ygnp2CJMK5Gq+9Q2oqmrFJAz01DXjw=="], - - "string-width/strip-ansi": ["strip-ansi@7.1.0", "", { "dependencies": { "ansi-regex": "^6.0.1" } }, "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ=="], - - "string-width-cjs/emoji-regex": ["emoji-regex@8.0.0", "", {}, "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A=="], - - "string-width-cjs/is-fullwidth-code-point": ["is-fullwidth-code-point@3.0.0", "", {}, "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg=="], + "slice-ansi/is-fullwidth-code-point": ["is-fullwidth-code-point@4.0.0", "", {}, "sha512-O4L094N2/dZ7xqVdrXhh9r1KODPJpFms8B5sGdJLPy664AgvXsreZUyCQQNItZRDlYug4xStLjNp/sz3HvBowQ=="], "sucrase/commander": ["commander@4.1.1", "", {}, "sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA=="], @@ -1780,9 +1799,9 @@ "wrap-ansi/ansi-styles": ["ansi-styles@6.2.1", "", {}, "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug=="], - "wrap-ansi/strip-ansi": ["strip-ansi@7.1.0", "", { "dependencies": { "ansi-regex": "^6.0.1" } }, "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ=="], + "wrap-ansi/string-width": ["string-width@7.2.0", "", { "dependencies": { "emoji-regex": "^10.3.0", "get-east-asian-width": "^1.0.0", "strip-ansi": "^7.1.0" } }, "sha512-tsaTIkKW9b4N+AEj+SVA+WhJzV7/zMhcSu78mLKWSk7cXMOSHsBKFWUs0fWwq8QyK3MgJBQRX6Gbi4kYbdvGkQ=="], - "wrap-ansi-cjs/string-width": ["string-width@4.2.3", "", { "dependencies": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" } }, "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g=="], + "wrap-ansi/strip-ansi": ["strip-ansi@7.1.0", "", { "dependencies": { "ansi-regex": "^6.0.1" } }, "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ=="], "@changesets/apply-release-plan/fs-extra/jsonfile": ["jsonfile@4.0.0", "", { "optionalDependencies": { "graceful-fs": "^4.1.6" } }, "sha512-m6F1R3z8jjlf2imQHS2Qez5sjKWQzbuuhuJ/FKYFRZvPE3PuHcSMVZzfsLhGVOkfd20obL5SWEBew5ShlquNxg=="], @@ -1810,6 +1829,8 @@ "@changesets/write/fs-extra/universalify": ["universalify@0.1.2", "", {}, "sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg=="], + "@isaacs/cliui/string-width/emoji-regex": ["emoji-regex@9.2.2", "", {}, "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg=="], + "@isaacs/cliui/strip-ansi/ansi-regex": ["ansi-regex@6.1.0", "", {}, "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA=="], "@isaacs/cliui/wrap-ansi/ansi-styles": ["ansi-styles@6.2.1", "", {}, "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug=="], @@ -1834,6 +1855,10 @@ "@typescript-eslint/typescript-estree/minimatch/brace-expansion": ["brace-expansion@2.0.1", "", { "dependencies": { "balanced-match": "^1.0.0" } }, "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA=="], + "cli-truncate/string-width/emoji-regex": ["emoji-regex@10.4.0", "", {}, "sha512-EC+0oUMY1Rqm4O6LLrgjtYDvcVYTy7chDnM4Q7030tP4Kwj3u/pR6gP9ygnp2CJMK5Gq+9Q2oqmrFJAz01DXjw=="], + + "cli-truncate/string-width/strip-ansi": ["strip-ansi@7.1.0", "", { "dependencies": { "ansi-regex": "^6.0.1" } }, "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ=="], + "glob/minimatch/brace-expansion": ["brace-expansion@2.0.1", "", { "dependencies": { "balanced-match": "^1.0.0" } }, "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA=="], "gray-matter/js-yaml/argparse": ["argparse@1.0.10", "", { "dependencies": { "sprintf-js": "~1.0.2" } }, "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg=="], @@ -1848,16 +1873,14 @@ "rehype-recma/hast-util-to-estree/property-information": ["property-information@6.5.0", "", {}, "sha512-PgTgs/BlvHxOu8QuEN7wi5A0OmXaBcHpmCSTehcs6Uuu9IkDIEo13Hy7n898RHfrQ49vKCoGeWZSaAK01nwVig=="], - "string-width/strip-ansi/ansi-regex": ["ansi-regex@6.1.0", "", {}, "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA=="], - "web/@types/node/undici-types": ["undici-types@6.20.0", "", {}, "sha512-Ny6QZ2Nju20vw1SRHe3d9jVu6gJ+4e3+MMpqu7pqE5HT6WsTSlce++GQmK5UXS8mzV8DSYHrQH+Xrf2jVcuKNg=="], - "wrap-ansi-cjs/string-width/emoji-regex": ["emoji-regex@8.0.0", "", {}, "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A=="], - - "wrap-ansi-cjs/string-width/is-fullwidth-code-point": ["is-fullwidth-code-point@3.0.0", "", {}, "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg=="], + "wrap-ansi/string-width/emoji-regex": ["emoji-regex@10.4.0", "", {}, "sha512-EC+0oUMY1Rqm4O6LLrgjtYDvcVYTy7chDnM4Q7030tP4Kwj3u/pR6gP9ygnp2CJMK5Gq+9Q2oqmrFJAz01DXjw=="], "wrap-ansi/strip-ansi/ansi-regex": ["ansi-regex@6.1.0", "", {}, "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA=="], "@manypkg/find-root/find-up/locate-path/p-locate": ["p-locate@4.1.0", "", { "dependencies": { "p-limit": "^2.2.0" } }, "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A=="], + + "cli-truncate/string-width/strip-ansi/ansi-regex": ["ansi-regex@6.1.0", "", {}, "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA=="], } }