From cd2a0fd125b149bdc5e099db769076f68e6ddbd1 Mon Sep 17 00:00:00 2001 From: Aryan Sharma Date: Mon, 15 Dec 2025 10:23:46 +0100 Subject: [PATCH 1/7] chore: add scenario metadata replacer --- docs/scripts/replace_scenario_metadata.py | 234 ++++++++++++++++++++++ 1 file changed, 234 insertions(+) create mode 100644 docs/scripts/replace_scenario_metadata.py diff --git a/docs/scripts/replace_scenario_metadata.py b/docs/scripts/replace_scenario_metadata.py new file mode 100644 index 00000000..7e7249fb --- /dev/null +++ b/docs/scripts/replace_scenario_metadata.py @@ -0,0 +1,234 @@ +""" +Replace Scenario docs meta descriptions using a CSV mapping. + +Default CSV: c:\\Users\\aryan\\Downloads\\Langwatch_MetaDesc.csv +Columns used: +- Meta description (OLD): text to find +- Meta NEW: replacement text +- URL: kept for reporting + +Usage: + # dry run (recommended first) + python docs/scripts/replace_scenario_metadata.py + + # apply changes + python docs/scripts/replace_scenario_metadata.py --apply +""" +import argparse +import csv +import json +import re +import sys +from dataclasses import dataclass +from pathlib import Path +from typing import Dict, Iterable, List, Tuple + +DEFAULT_CSV = r"c:\Users\aryan\Downloads\Langwatch_MetaDesc.csv" +# Default to the Scenario docs directory (docs/docs) relative to this file. +DEFAULT_ROOT = Path(__file__).resolve().parents[1] / "docs" + +# Text-based extensions to scan (tuned for the docs site) +DEFAULT_EXTS = {".md", ".mdx"} + +# Directories to skip while scanning +SKIP_DIRS = { + "node_modules", + ".git", + ".next", + ".turbo", + "dist", + "build", + ".cache", +} + + +@dataclass +class Mapping: + new: str + url: str + + +def resolve_csv_path(raw: Path) -> Path: + """ + Allow Windows-style paths when running inside WSL. + If the given path does not exist, try converting `C:\\foo\\bar` to `/mnt/c/foo/bar`. + """ + if raw.exists(): + return raw + m = re.match(r"^([a-zA-Z]):\\\\?(.*)$", str(raw)) + if m: + drive = m.group(1).lower() + rest = m.group(2).replace("\\", "/") + alt = Path(f"/mnt/{drive}/{rest}") + if alt.exists(): + return alt + return raw + + +def load_mapping(csv_path: Path) -> Dict[str, Mapping]: + if not csv_path.exists(): + raise FileNotFoundError(f"CSV not found: {csv_path}") + + with csv_path.open(newline="", encoding="utf-8") as f: + reader = csv.DictReader(f) + required = {"Meta description (OLD)", "Meta NEW"} + missing = required - set(reader.fieldnames or []) + if missing: + raise ValueError(f"Missing required columns: {', '.join(sorted(missing))}") + + mapping: Dict[str, Mapping] = {} + conflicts: List[Tuple[str, str, str, int]] = [] + for idx, row in enumerate(reader, start=2): # header is line 1 + old = (row.get("Meta description (OLD)", "") or "").strip() + new = (row.get("Meta NEW", "") or "").strip() + url = (row.get("URL", "") or "").strip() + if not old or not new: + continue + if old in mapping and mapping[old].new != new: + # keep the first occurrence, record conflict for reporting + conflicts.append((old, mapping[old].new, new, idx)) + continue + mapping[old] = Mapping(new=new, url=url) + + if conflicts: + print("Detected conflicting rows (kept the first occurrence for each):") + for old, kept, skipped, idx in conflicts: + print(f"- Row {idx}: {old!r} -> {skipped!r} (kept existing: {kept!r})") + + return mapping + + +def iter_text_files(root: Path, exts: Iterable[str]) -> Iterable[Path]: + for path in root.rglob("*"): + if path.is_dir(): + if path.name in SKIP_DIRS: + # Skip entire subtree + continue + continue + if path.suffix.lower() in exts: + yield path + + +def apply_replacements( + path: Path, mapping: Dict[str, Mapping], apply: bool +) -> Tuple[bool, Dict[str, int]]: + text = path.read_text(encoding="utf-8") + replaced = False + counts: Dict[str, int] = {} + new_text = text + + for old, m in mapping.items(): + occurrences = len(re.findall(re.escape(old), new_text)) + if occurrences: + counts[old] = occurrences + if apply: + new_text = re.sub(re.escape(old), m.new, new_text) + replaced = True + + if apply and replaced and new_text != text: + path.write_text(new_text, encoding="utf-8") + + return replaced, counts + + +def summarize( + results: List[Tuple[Path, Dict[str, int]]], mapping: Dict[str, Mapping], report_path: Path +): + total_files = len(results) + total_hits = sum(sum(counts.values()) for _, counts in results) + print(f"Files with matches: {total_files}") + print(f"Total replacements (occurrences): {total_hits}") + for path, counts in sorted(results, key=lambda x: str(x[0])): + print(f"- {path}") + for old, count in counts.items(): + info = mapping.get(old) + url = info.url if info else "" + print(f" * {count}x '{old}' -> '{info.new if info else ''}' (URL: {url})") + + report = { + "files_with_matches": total_files, + "total_occurrences": total_hits, + "files": [ + { + "path": str(path), + "occurrences": counts, + "urls": {old: mapping[old].url for old in counts if old in mapping}, + } + for path, counts in results + ], + } + print("\nJSON summary:") + print(json.dumps(report, indent=2)) + if report_path: + report_path.write_text(json.dumps(report, indent=2), encoding="utf-8") + print(f"\nReport written to: {report_path}") + + +def main(): + parser = argparse.ArgumentParser( + description="Replace Scenario docs meta descriptions using a CSV mapping." + ) + parser.add_argument( + "--csv", + type=Path, + default=Path(DEFAULT_CSV), + help="Path to CSV file with columns: Meta description (OLD), Meta NEW, URL.", + ) + parser.add_argument( + "--root", + type=Path, + default=DEFAULT_ROOT, + help="Root directory to scan (defaults to docs/docs).", + ) + parser.add_argument( + "--exts", + type=str, + default=",".join(sorted(DEFAULT_EXTS)), + help="Comma-separated list of file extensions to scan.", + ) + parser.add_argument( + "--apply", + action="store_true", + help="Write changes. If omitted, runs in dry-run mode.", + ) + parser.add_argument( + "--report", + type=Path, + default=Path("scenario_meta_report.json"), + help="Path to write JSON summary (default: scenario_meta_report.json).", + ) + args = parser.parse_args() + + exts = {ext.strip().lower() for ext in args.exts.split(",") if ext.strip()} + csv_path = resolve_csv_path(args.csv) + mapping = load_mapping(csv_path) + print(f"Loaded {len(mapping)} mappings from {csv_path}") + + root = args.root + if not root.exists(): + raise FileNotFoundError(f"Root directory not found: {root}") + + results: List[Tuple[Path, Dict[str, int]]] = [] + files_scanned = 0 + + for file_path in iter_text_files(root, exts): + files_scanned += 1 + _, counts = apply_replacements(file_path, mapping, apply=args.apply) + if counts: + results.append((file_path, counts)) + + mode = "APPLY" if args.apply else "DRY-RUN" + print(f"\nMode: {mode}") + print(f"Root: {root}") + print(f"Files scanned: {files_scanned}") + summarize(results, mapping, args.report) + + +if __name__ == "__main__": + try: + main() + except Exception as exc: # pragma: no cover - CLI helper + print(f"ERROR: {exc}", file=sys.stderr) + sys.exit(1) + + From f8a26d6ae0b6244ea5d49fe0aa15575726d93ce4 Mon Sep 17 00:00:00 2001 From: Aryan Sharma Date: Mon, 15 Dec 2025 10:29:09 +0100 Subject: [PATCH 2/7] fix: filter metadata updates to scenario docs --- docs/scripts/replace_scenario_metadata.py | 24 ++++++++++++++++++++--- 1 file changed, 21 insertions(+), 3 deletions(-) diff --git a/docs/scripts/replace_scenario_metadata.py b/docs/scripts/replace_scenario_metadata.py index 7e7249fb..a46d9c24 100644 --- a/docs/scripts/replace_scenario_metadata.py +++ b/docs/scripts/replace_scenario_metadata.py @@ -26,6 +26,8 @@ DEFAULT_CSV = r"c:\Users\aryan\Downloads\Langwatch_MetaDesc.csv" # Default to the Scenario docs directory (docs/docs) relative to this file. DEFAULT_ROOT = Path(__file__).resolve().parents[1] / "docs" +# Only apply rows whose URL starts with this prefix. +DEFAULT_URL_PREFIX = "https://scenario.langwatch.ai" # Text-based extensions to scan (tuned for the docs site) DEFAULT_EXTS = {".md", ".mdx"} @@ -65,7 +67,7 @@ def resolve_csv_path(raw: Path) -> Path: return raw -def load_mapping(csv_path: Path) -> Dict[str, Mapping]: +def load_mapping(csv_path: Path, url_prefix: str) -> Dict[str, Mapping]: if not csv_path.exists(): raise FileNotFoundError(f"CSV not found: {csv_path}") @@ -78,12 +80,16 @@ def load_mapping(csv_path: Path) -> Dict[str, Mapping]: mapping: Dict[str, Mapping] = {} conflicts: List[Tuple[str, str, str, int]] = [] + skipped_prefix: int = 0 for idx, row in enumerate(reader, start=2): # header is line 1 old = (row.get("Meta description (OLD)", "") or "").strip() new = (row.get("Meta NEW", "") or "").strip() url = (row.get("URL", "") or "").strip() if not old or not new: continue + if url_prefix and not url.startswith(url_prefix): + skipped_prefix += 1 + continue if old in mapping and mapping[old].new != new: # keep the first occurrence, record conflict for reporting conflicts.append((old, mapping[old].new, new, idx)) @@ -94,6 +100,10 @@ def load_mapping(csv_path: Path) -> Dict[str, Mapping]: print("Detected conflicting rows (kept the first occurrence for each):") for old, kept, skipped, idx in conflicts: print(f"- Row {idx}: {old!r} -> {skipped!r} (kept existing: {kept!r})") + if skipped_prefix: + print( + f"Skipped {skipped_prefix} row(s) whose URL did not start with prefix: {url_prefix}" + ) return mapping @@ -174,6 +184,12 @@ def main(): default=Path(DEFAULT_CSV), help="Path to CSV file with columns: Meta description (OLD), Meta NEW, URL.", ) + parser.add_argument( + "--url-prefix", + type=str, + default=DEFAULT_URL_PREFIX, + help="Only apply rows whose URL starts with this prefix (default: scenario docs).", + ) parser.add_argument( "--root", type=Path, @@ -201,8 +217,10 @@ def main(): exts = {ext.strip().lower() for ext in args.exts.split(",") if ext.strip()} csv_path = resolve_csv_path(args.csv) - mapping = load_mapping(csv_path) - print(f"Loaded {len(mapping)} mappings from {csv_path}") + mapping = load_mapping(csv_path, args.url_prefix) + print( + f"Loaded {len(mapping)} mappings from {csv_path} with URL prefix {args.url_prefix}" + ) root = args.root if not root.exists(): From 1a8122cff846207c0b2cb0211eec7b39e4ef6aa5 Mon Sep 17 00:00:00 2001 From: Aryan Sharma Date: Mon, 15 Dec 2025 10:37:52 +0100 Subject: [PATCH 3/7] feat: map scenario URLs to frontmatter descriptions --- docs/scripts/replace_scenario_metadata.py | 156 +++++++++++++++++++--- 1 file changed, 137 insertions(+), 19 deletions(-) diff --git a/docs/scripts/replace_scenario_metadata.py b/docs/scripts/replace_scenario_metadata.py index a46d9c24..27c4a970 100644 --- a/docs/scripts/replace_scenario_metadata.py +++ b/docs/scripts/replace_scenario_metadata.py @@ -19,9 +19,11 @@ import json import re import sys +from functools import lru_cache from dataclasses import dataclass from pathlib import Path from typing import Dict, Iterable, List, Tuple +from urllib.parse import urlparse DEFAULT_CSV = r"c:\Users\aryan\Downloads\Langwatch_MetaDesc.csv" # Default to the Scenario docs directory (docs/docs) relative to this file. @@ -141,31 +143,143 @@ def apply_replacements( return replaced, counts +@lru_cache(maxsize=512) +def resolve_doc_path(root: Path, url: str) -> Path | None: + """ + Map a doc URL to a local file path under docs/docs/pages. + Supports: + - Stripping domain, handling trailing slashes. + - Removing trailing index.html or .html. + - Trying .mdx, .md, and directory index files. + """ + parsed = urlparse(url) + path = parsed.path or "/" + path = path.strip("/") + # Remove trailing index.html or .html + if path.endswith("index.html"): + path = path[: -len("index.html")].rstrip("/") + elif path.endswith(".html"): + path = path[: -len(".html")] + # Default to index + if not path: + path = "index" + + base = root / "pages" + candidates = [ + base / f"{path}.mdx", + base / f"{path}.md", + base / path / "index.mdx", + base / path / "index.md", + ] + for candidate in candidates: + if candidate.exists(): + return candidate + return None + + +def update_frontmatter_description(content: str, new_desc: str) -> str: + """ + Replace or add description in YAML frontmatter. + If no frontmatter is present, frontmatter will be added. + """ + if content.startswith("---"): + parts = content.split("---", 2) + if len(parts) >= 3: + _, fm_body, rest = parts[0], parts[1], parts[2] + lines = fm_body.strip("\n").splitlines() + out_lines = [] + found = False + for line in lines: + if re.match(r"^description\s*:", line): + out_lines.append(f'description: {new_desc}') + found = True + else: + out_lines.append(line) + if not found: + out_lines.append(f'description: {new_desc}') + fm_new = "\n".join(out_lines) + return "---\n" + fm_new + "\n---" + rest + # No frontmatter; add one + return f"---\ndescription: {new_desc}\n---\n{content}" + + +def apply_url_targeted_replacements( + root: Path, mapping: Dict[str, Mapping], apply: bool +) -> Tuple[List[Tuple[Path, Mapping]], List[Tuple[str, str]]]: + """ + Replace frontmatter descriptions based on URL-to-file mapping. + Returns: + - list of (path, mapping) that were matched (or would be changed) + - list of (url, reason) for misses + """ + hits: List[Tuple[Path, Mapping]] = [] + misses: List[Tuple[str, str]] = [] + + for old, m in mapping.items(): + target_path = resolve_doc_path(root, m.url) + if not target_path: + misses.append((m.url, "no local file for URL")) + continue + try: + content = target_path.read_text(encoding="utf-8") + except Exception as exc: # pragma: no cover - IO guard + misses.append((m.url, f"read error: {exc}")) + continue + new_content = update_frontmatter_description(content, m.new) + if new_content != content: + hits.append((target_path, m)) + if apply: + target_path.write_text(new_content, encoding="utf-8") + else: + # Already matches desired state + hits.append((target_path, m)) + return hits, misses + + def summarize( - results: List[Tuple[Path, Dict[str, int]]], mapping: Dict[str, Mapping], report_path: Path + text_scan_results: List[Tuple[Path, Dict[str, int]]], + url_hits: List[Tuple[Path, Mapping]], + url_misses: List[Tuple[str, str]], + mapping: Dict[str, Mapping], + report_path: Path, ): - total_files = len(results) - total_hits = sum(sum(counts.values()) for _, counts in results) - print(f"Files with matches: {total_files}") - print(f"Total replacements (occurrences): {total_hits}") - for path, counts in sorted(results, key=lambda x: str(x[0])): + total_text_files = len(text_scan_results) + total_text_hits = sum(sum(counts.values()) for _, counts in text_scan_results) + print(f"Text scan - files with matches: {total_text_files}") + print(f"Text scan - total occurrences: {total_text_hits}") + for path, counts in sorted(text_scan_results, key=lambda x: str(x[0])): print(f"- {path}") for old, count in counts.items(): info = mapping.get(old) url = info.url if info else "" print(f" * {count}x '{old}' -> '{info.new if info else ''}' (URL: {url})") + print("\nFrontmatter updates (URL-targeted):") + for path, m in sorted(url_hits, key=lambda x: str(x[0])): + print(f"- {path} <- {m.url}") + + if url_misses: + print("\nSkipped URLs (no local file):") + for url, reason in url_misses: + print(f"- {url} ({reason})") + report = { - "files_with_matches": total_files, - "total_occurrences": total_hits, - "files": [ - { - "path": str(path), - "occurrences": counts, - "urls": {old: mapping[old].url for old in counts if old in mapping}, - } - for path, counts in results - ], + "text_scan": { + "files_with_matches": total_text_files, + "total_occurrences": total_text_hits, + "files": [ + { + "path": str(path), + "occurrences": counts, + "urls": {old: mapping[old].url for old in counts if old in mapping}, + } + for path, counts in text_scan_results + ], + }, + "frontmatter_updates": { + "hits": [{"path": str(p), "url": m.url, "new": m.new} for p, m in url_hits], + "misses": [{"url": url, "reason": reason} for url, reason in url_misses], + }, } print("\nJSON summary:") print(json.dumps(report, indent=2)) @@ -226,20 +340,24 @@ def main(): if not root.exists(): raise FileNotFoundError(f"Root directory not found: {root}") - results: List[Tuple[Path, Dict[str, int]]] = [] + # Legacy text scan (kept for compatibility; often zero for Scenario docs) + text_scan_results: List[Tuple[Path, Dict[str, int]]] = [] files_scanned = 0 for file_path in iter_text_files(root, exts): files_scanned += 1 _, counts = apply_replacements(file_path, mapping, apply=args.apply) if counts: - results.append((file_path, counts)) + text_scan_results.append((file_path, counts)) + + # URL-targeted frontmatter description updates + url_hits, url_misses = apply_url_targeted_replacements(root, mapping, apply=args.apply) mode = "APPLY" if args.apply else "DRY-RUN" print(f"\nMode: {mode}") print(f"Root: {root}") print(f"Files scanned: {files_scanned}") - summarize(results, mapping, args.report) + summarize(text_scan_results, url_hits, url_misses, mapping, args.report) if __name__ == "__main__": From e28ac18d06e1bc6afbcf41c8125db47c23734888 Mon Sep 17 00:00:00 2001 From: aryansharma28 Date: Thu, 18 Dec 2025 10:18:07 +0100 Subject: [PATCH 4/7] chore: added examples --- examples/create_agent_app/__init__.py | 1 + examples/create_agent_app/common/__init__.py | 0 .../common/customer_support/__init__.py | 0 .../knowledge_base/company_policy.md | 188 + .../troubleshooting_ecommerce.md | 114 + .../troubleshooting_internet.md | 227 + .../knowledge_base/troubleshooting_mobile.md | 211 + .../troubleshooting_television.md | 197 + .../common/customer_support/mocked_apis.py | 79 + .../common/customer_support/mocked_apis.ts | 118 + .../common/vibe_coding/__init__.py | 0 .../common/vibe_coding/template/.gitignore | 24 + .../common/vibe_coding/template/README.md | 73 + .../common/vibe_coding/template/bun.lockb | Bin 0 -> 198351 bytes .../vibe_coding/template/components.json | 20 + .../vibe_coding/template/eslint.config.js | 29 + .../common/vibe_coding/template/index.html | 26 + .../vibe_coding/template/package-lock.json | 7108 ++++++ .../common/vibe_coding/template/package.json | 83 + .../vibe_coding/template/postcss.config.js | 6 + .../vibe_coding/template/public/favicon.ico | Bin 0 -> 1150 bytes .../template/public/placeholder.svg | 1 + .../vibe_coding/template/public/robots.txt | 14 + .../common/vibe_coding/template/src/App.css | 42 + .../common/vibe_coding/template/src/App.tsx | 27 + .../template/src/components/ui/accordion.tsx | 56 + .../src/components/ui/alert-dialog.tsx | 139 + .../template/src/components/ui/alert.tsx | 59 + .../src/components/ui/aspect-ratio.tsx | 5 + .../template/src/components/ui/avatar.tsx | 48 + .../template/src/components/ui/badge.tsx | 36 + .../template/src/components/ui/breadcrumb.tsx | 115 + .../template/src/components/ui/button.tsx | 56 + .../template/src/components/ui/calendar.tsx | 64 + .../template/src/components/ui/card.tsx | 79 + .../template/src/components/ui/carousel.tsx | 260 + .../template/src/components/ui/chart.tsx | 363 + .../template/src/components/ui/checkbox.tsx | 28 + .../src/components/ui/collapsible.tsx | 9 + .../template/src/components/ui/command.tsx | 153 + .../src/components/ui/context-menu.tsx | 198 + .../template/src/components/ui/dialog.tsx | 120 + .../template/src/components/ui/drawer.tsx | 116 + .../src/components/ui/dropdown-menu.tsx | 198 + .../template/src/components/ui/form.tsx | 176 + .../template/src/components/ui/hover-card.tsx | 27 + .../template/src/components/ui/input-otp.tsx | 69 + .../template/src/components/ui/input.tsx | 22 + .../template/src/components/ui/label.tsx | 24 + .../template/src/components/ui/menubar.tsx | 234 + .../src/components/ui/navigation-menu.tsx | 128 + .../template/src/components/ui/pagination.tsx | 117 + .../template/src/components/ui/popover.tsx | 29 + .../template/src/components/ui/progress.tsx | 26 + .../src/components/ui/radio-group.tsx | 42 + .../template/src/components/ui/resizable.tsx | 43 + .../src/components/ui/scroll-area.tsx | 46 + .../template/src/components/ui/select.tsx | 158 + .../template/src/components/ui/separator.tsx | 29 + .../template/src/components/ui/sheet.tsx | 131 + .../template/src/components/ui/sidebar.tsx | 761 + .../template/src/components/ui/skeleton.tsx | 15 + .../template/src/components/ui/slider.tsx | 26 + .../template/src/components/ui/sonner.tsx | 29 + .../template/src/components/ui/switch.tsx | 27 + .../template/src/components/ui/table.tsx | 117 + .../template/src/components/ui/tabs.tsx | 53 + .../template/src/components/ui/textarea.tsx | 24 + .../template/src/components/ui/toast.tsx | 127 + .../template/src/components/ui/toaster.tsx | 33 + .../src/components/ui/toggle-group.tsx | 59 + .../template/src/components/ui/toggle.tsx | 43 + .../template/src/components/ui/tooltip.tsx | 28 + .../template/src/components/ui/use-toast.ts | 3 + .../template/src/hooks/use-mobile.tsx | 19 + .../template/src/hooks/use-toast.ts | 191 + .../common/vibe_coding/template/src/index.css | 101 + .../vibe_coding/template/src/lib/utils.ts | 6 + .../common/vibe_coding/template/src/main.tsx | 5 + .../vibe_coding/template/src/pages/Index.tsx | 14 + .../template/src/pages/NotFound.tsx | 27 + .../vibe_coding/template/src/vite-env.d.ts | 1 + .../vibe_coding/template/tailwind.config.ts | 96 + .../vibe_coding/template/tsconfig.app.json | 30 + .../common/vibe_coding/template/tsconfig.json | 19 + .../vibe_coding/template/tsconfig.node.json | 22 + .../vibe_coding/template/vite.config.ts | 22 + .../common/vibe_coding/utils.py | 123 + examples/create_agent_app/esbuild.config.js | 26 + examples/create_agent_app/index.ts | 1 + examples/create_agent_app/package-lock.json | 452 + examples/create_agent_app/package.json | 27 + examples/create_agent_app/tsconfig.json | 35 + .../frameworks/ax_example/.env.example | 3 + .../examples/frameworks/ax_example/.gitignore | 25 + .../frameworks/ax_example/package-lock.json | 2592 +++ .../frameworks/ax_example/package.json | 21 + .../src/customer-support-agent.test.ts | 56 + .../ax_example/src/customer-support-agent.ts | 176 + .../frameworks/ax_example/tsconfig.json | 7 + .../frameworks/ax_example/tsconfig.node.json | 25 + .../frameworks/ax_example/vitest.config.ts | 7 + .../.dev.vars.example | 1 + .../.gitignore | 2 + .../README.md | 5 + .../comparison.png | Bin 0 -> 104692 bytes .../index.js | 489 + .../knowledge_base/company_policy.md | 188 + .../knowledge_base/index.html | 147 + .../troubleshooting_ecommerce.md | 114 + .../troubleshooting_internet.md | 227 + .../knowledge_base/troubleshooting_mobile.md | 211 + .../troubleshooting_television.md | 197 + .../wrangler.toml | 7 + .../inngest_agent_kit_example/.env.example | 3 + .../inngest_agent_kit_example/.gitignore | 25 + .../inngest_agent_kit_example/README.md | 54 + .../agents/customer-support-agent.test.ts | 84 + .../agents/customer-support-agent.ts | 144 + .../eslint.config.js | 28 + .../inngest_agent_kit_example/index.html | 13 + .../package-lock.json | 14549 ++++++++++++ .../inngest_agent_kit_example/package.json | 42 + .../inngest_agent_kit_example/server.ts | 7 + .../inngest_agent_kit_example/tsconfig.json | 7 + .../tsconfig.node.json | 25 + .../vitest.config.ts | 7 + .../langgraph_js_example/.env.example | 3 + .../langgraph_js_example/.gitignore | 28 + .../frameworks/langgraph_js_example/README.md | 54 + .../agents/customer-support-agent.test.ts | 60 + .../agents/customer-support-agent.ts | 164 + .../langgraph_js_example/eslint.config.js | 28 + .../langgraph_js_example/index.html | 13 + .../langgraph_js_example/langgraph.json | 10 + .../langgraph_js_example/package-lock.json | 14619 ++++++++++++ .../langgraph_js_example/package.json | 50 + .../langgraph_js_example/public/vite.svg | 1 + .../langgraph_js_example/src/App.tsx | 363 + .../langgraph_js_example/src/index.css | 66 + .../langgraph_js_example/src/main.tsx | 11 + .../langgraph_js_example/src/vite-env.d.ts | 1 + .../langgraph_js_example/tsconfig.app.json | 27 + .../langgraph_js_example/tsconfig.json | 8 + .../langgraph_js_example/tsconfig.node.json | 25 + .../langgraph_js_example/vite.config.ts | 49 + .../langgraph_js_example/vitest.config.ts | 7 + .../frameworks/mastra_example/.env.example | 3 + .../frameworks/mastra_example/.gitignore | 26 + .../frameworks/mastra_example/README.md | 54 + .../mastra_example/eslint.config.js | 28 + .../frameworks/mastra_example/index.html | 13 + .../mastra/agents/customer-support-agent.ts | 173 + .../frameworks/mastra_example/mastra/index.ts | 32 + .../tests/customer-support-agent-tool.test.ts | 37 + .../tests/customer-support-agent.test.ts | 38 + .../mastra_example/package-lock.json | 18647 ++++++++++++++++ .../frameworks/mastra_example/package.json | 52 + .../frameworks/mastra_example/public/vite.svg | 1 + .../frameworks/mastra_example/src/App.tsx | 364 + .../frameworks/mastra_example/src/index.css | 66 + .../frameworks/mastra_example/src/main.tsx | 11 + .../mastra_example/src/vite-env.d.ts | 1 + .../mastra_example/tsconfig.app.json | 27 + .../frameworks/mastra_example/tsconfig.json | 8 + .../mastra_example/tsconfig.node.json | 25 + .../frameworks/mastra_example/vite.config.ts | 8 + .../mastra_example/vitest.config.ts | 7 + .../agno_example/customer_support_agent.py | 162 + .../frameworks/agno_example/pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 78 + .../examples/frameworks/agno_example/uv.lock | 1938 ++ .../autogen_example/customer_support_agent.py | 221 + .../frameworks/autogen_example/pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 122 + .../frameworks/autogen_example/uv.lock | 1957 ++ .../crewai_example/customer_support_crew.py | 213 + .../frameworks/crewai_example/pyproject.toml | 16 + .../tests/test_customer_support_crew.py | 77 + .../frameworks/crewai_example/uv.lock | 2694 +++ .../dspy_example/customer_support_agent.py | 154 + .../frameworks/dspy_example/pyproject.toml | 16 + .../tests/test_customer_support_agent.py | 82 + .../examples/frameworks/dspy_example/uv.lock | 1489 ++ .../customer_support_agent.py | 156 + .../google_adk_example/pyproject.toml | 16 + .../tests/test_customer_support_agent.py | 103 + .../frameworks/google_adk_example/uv.lock | 2018 ++ .../customer_support_agent.py | 206 + .../inspect_ai_example/pyproject.toml | 17 + .../tests/test_customer_support_agent.py | 48 + .../frameworks/inspect_ai_example/uv.lock | 1469 ++ .../customer_support_agent.py | 182 + .../instructor_example/pyproject.toml | 19 + .../tests/test_customer_support_agent.py | 350 + .../frameworks/instructor_example/uv.lock | 1924 ++ .../customer_support_agent.py | 219 + .../pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 86 + .../langgraph_functional_api_example/uv.lock | 1434 ++ .../customer_support_agent.py | 163 + .../pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 86 + .../langgraph_highlevel_api_example/uv.lock | 1434 ++ .../frameworks/letta_example/README.md | 33 + .../letta_example/customer_support_agent.py | 208 + .../frameworks/letta_example/requirements.txt | 1 + .../examples/frameworks/letta_example/run.sh | 7 + .../customer_support_agent.py | 199 + .../llama_index_example/pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 77 + .../frameworks/llama_index_example/uv.lock | 2405 ++ .../customer_support_agent.py | 209 + .../no_framework_example/pyproject.toml | 17 + .../tests/test_customer_support_agent.py | 48 + .../frameworks/no_framework_example/uv.lock | 1008 + .../customer_support_agent.py | 106 + .../pixelagent_example/pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 74 + .../frameworks/pixelagent_example/uv.lock | 1650 ++ .../customer_support_agent.py | 164 + .../promptflow_example/pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 122 + .../frameworks/promptflow_example/uv.lock | 2524 +++ .../customer_support_agent.py | 148 + .../pydantic_ai_example/pyproject.toml | 16 + .../tests/test_customer_support_agent.py | 98 + .../tests/test_vibe_coding_agent.py | 61 + .../frameworks/pydantic_ai_example/uv.lock | 1621 ++ .../pydantic_ai_example/vibe_coding_agent.py | 134 + .../customer_support_agent.py | 189 + .../smolagents_example/pyproject.toml | 16 + .../tests/test_customer_support_agent.py | 49 + .../frameworks/smolagents_example/uv.lock | 1932 ++ .../strand_example/customer_support_agent.py | 240 + .../frameworks/strand_example/pyproject.toml | 18 + .../tests/test_customer_support_agent.py | 122 + .../frameworks/strand_example/uv.lock | 1870 ++ 238 files changed, 103890 insertions(+) create mode 100644 examples/create_agent_app/__init__.py create mode 100644 examples/create_agent_app/common/__init__.py create mode 100644 examples/create_agent_app/common/customer_support/__init__.py create mode 100644 examples/create_agent_app/common/customer_support/knowledge_base/company_policy.md create mode 100644 examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_ecommerce.md create mode 100644 examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_internet.md create mode 100644 examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_mobile.md create mode 100644 examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_television.md create mode 100644 examples/create_agent_app/common/customer_support/mocked_apis.py create mode 100644 examples/create_agent_app/common/customer_support/mocked_apis.ts create mode 100644 examples/create_agent_app/common/vibe_coding/__init__.py create mode 100644 examples/create_agent_app/common/vibe_coding/template/.gitignore create mode 100644 examples/create_agent_app/common/vibe_coding/template/README.md create mode 100644 examples/create_agent_app/common/vibe_coding/template/bun.lockb create mode 100644 examples/create_agent_app/common/vibe_coding/template/components.json create mode 100644 examples/create_agent_app/common/vibe_coding/template/eslint.config.js create mode 100644 examples/create_agent_app/common/vibe_coding/template/index.html create mode 100644 examples/create_agent_app/common/vibe_coding/template/package-lock.json create mode 100644 examples/create_agent_app/common/vibe_coding/template/package.json create mode 100644 examples/create_agent_app/common/vibe_coding/template/postcss.config.js create mode 100644 examples/create_agent_app/common/vibe_coding/template/public/favicon.ico create mode 100644 examples/create_agent_app/common/vibe_coding/template/public/placeholder.svg create mode 100644 examples/create_agent_app/common/vibe_coding/template/public/robots.txt create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/App.css create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/App.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/accordion.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert-dialog.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/aspect-ratio.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/avatar.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/badge.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/breadcrumb.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/button.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/calendar.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/card.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/carousel.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/chart.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/checkbox.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/collapsible.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/command.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/context-menu.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/dialog.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/drawer.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/dropdown-menu.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/form.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/hover-card.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/input-otp.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/input.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/label.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/menubar.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/navigation-menu.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/pagination.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/popover.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/progress.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/radio-group.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/resizable.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/scroll-area.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/select.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/separator.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/sheet.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/sidebar.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/skeleton.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/slider.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/sonner.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/switch.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/table.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/tabs.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/textarea.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/toast.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/toaster.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/toggle-group.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/toggle.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/tooltip.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/components/ui/use-toast.ts create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/hooks/use-mobile.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/hooks/use-toast.ts create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/index.css create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/lib/utils.ts create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/main.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/pages/Index.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/pages/NotFound.tsx create mode 100644 examples/create_agent_app/common/vibe_coding/template/src/vite-env.d.ts create mode 100644 examples/create_agent_app/common/vibe_coding/template/tailwind.config.ts create mode 100644 examples/create_agent_app/common/vibe_coding/template/tsconfig.app.json create mode 100644 examples/create_agent_app/common/vibe_coding/template/tsconfig.json create mode 100644 examples/create_agent_app/common/vibe_coding/template/tsconfig.node.json create mode 100644 examples/create_agent_app/common/vibe_coding/template/vite.config.ts create mode 100644 examples/create_agent_app/common/vibe_coding/utils.py create mode 100644 examples/create_agent_app/esbuild.config.js create mode 100644 examples/create_agent_app/index.ts create mode 100644 examples/create_agent_app/package-lock.json create mode 100644 examples/create_agent_app/package.json create mode 100644 examples/create_agent_app/tsconfig.json create mode 100644 javascript/examples/frameworks/ax_example/.env.example create mode 100644 javascript/examples/frameworks/ax_example/.gitignore create mode 100644 javascript/examples/frameworks/ax_example/package-lock.json create mode 100644 javascript/examples/frameworks/ax_example/package.json create mode 100644 javascript/examples/frameworks/ax_example/src/customer-support-agent.test.ts create mode 100644 javascript/examples/frameworks/ax_example/src/customer-support-agent.ts create mode 100644 javascript/examples/frameworks/ax_example/tsconfig.json create mode 100644 javascript/examples/frameworks/ax_example/tsconfig.node.json create mode 100644 javascript/examples/frameworks/ax_example/vitest.config.ts create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/.dev.vars.example create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/.gitignore create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/README.md create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/comparison.png create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/index.js create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/knowledge_base/company_policy.md create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/knowledge_base/index.html create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/knowledge_base/troubleshooting_ecommerce.md create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/knowledge_base/troubleshooting_internet.md create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/knowledge_base/troubleshooting_mobile.md create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/knowledge_base/troubleshooting_television.md create mode 100644 javascript/examples/frameworks/cloudflare_worker_example_no_dependencies/wrangler.toml create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/.env.example create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/.gitignore create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/README.md create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/agents/customer-support-agent.test.ts create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/agents/customer-support-agent.ts create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/eslint.config.js create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/index.html create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/package-lock.json create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/package.json create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/server.ts create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/tsconfig.json create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/tsconfig.node.json create mode 100644 javascript/examples/frameworks/inngest_agent_kit_example/vitest.config.ts create mode 100644 javascript/examples/frameworks/langgraph_js_example/.env.example create mode 100644 javascript/examples/frameworks/langgraph_js_example/.gitignore create mode 100644 javascript/examples/frameworks/langgraph_js_example/README.md create mode 100644 javascript/examples/frameworks/langgraph_js_example/agents/customer-support-agent.test.ts create mode 100644 javascript/examples/frameworks/langgraph_js_example/agents/customer-support-agent.ts create mode 100644 javascript/examples/frameworks/langgraph_js_example/eslint.config.js create mode 100644 javascript/examples/frameworks/langgraph_js_example/index.html create mode 100644 javascript/examples/frameworks/langgraph_js_example/langgraph.json create mode 100644 javascript/examples/frameworks/langgraph_js_example/package-lock.json create mode 100644 javascript/examples/frameworks/langgraph_js_example/package.json create mode 100644 javascript/examples/frameworks/langgraph_js_example/public/vite.svg create mode 100644 javascript/examples/frameworks/langgraph_js_example/src/App.tsx create mode 100644 javascript/examples/frameworks/langgraph_js_example/src/index.css create mode 100644 javascript/examples/frameworks/langgraph_js_example/src/main.tsx create mode 100644 javascript/examples/frameworks/langgraph_js_example/src/vite-env.d.ts create mode 100644 javascript/examples/frameworks/langgraph_js_example/tsconfig.app.json create mode 100644 javascript/examples/frameworks/langgraph_js_example/tsconfig.json create mode 100644 javascript/examples/frameworks/langgraph_js_example/tsconfig.node.json create mode 100644 javascript/examples/frameworks/langgraph_js_example/vite.config.ts create mode 100644 javascript/examples/frameworks/langgraph_js_example/vitest.config.ts create mode 100644 javascript/examples/frameworks/mastra_example/.env.example create mode 100644 javascript/examples/frameworks/mastra_example/.gitignore create mode 100644 javascript/examples/frameworks/mastra_example/README.md create mode 100644 javascript/examples/frameworks/mastra_example/eslint.config.js create mode 100644 javascript/examples/frameworks/mastra_example/index.html create mode 100644 javascript/examples/frameworks/mastra_example/mastra/agents/customer-support-agent.ts create mode 100644 javascript/examples/frameworks/mastra_example/mastra/index.ts create mode 100644 javascript/examples/frameworks/mastra_example/mastra/tests/customer-support-agent-tool.test.ts create mode 100644 javascript/examples/frameworks/mastra_example/mastra/tests/customer-support-agent.test.ts create mode 100644 javascript/examples/frameworks/mastra_example/package-lock.json create mode 100644 javascript/examples/frameworks/mastra_example/package.json create mode 100644 javascript/examples/frameworks/mastra_example/public/vite.svg create mode 100644 javascript/examples/frameworks/mastra_example/src/App.tsx create mode 100644 javascript/examples/frameworks/mastra_example/src/index.css create mode 100644 javascript/examples/frameworks/mastra_example/src/main.tsx create mode 100644 javascript/examples/frameworks/mastra_example/src/vite-env.d.ts create mode 100644 javascript/examples/frameworks/mastra_example/tsconfig.app.json create mode 100644 javascript/examples/frameworks/mastra_example/tsconfig.json create mode 100644 javascript/examples/frameworks/mastra_example/tsconfig.node.json create mode 100644 javascript/examples/frameworks/mastra_example/vite.config.ts create mode 100644 javascript/examples/frameworks/mastra_example/vitest.config.ts create mode 100644 python/examples/frameworks/agno_example/customer_support_agent.py create mode 100644 python/examples/frameworks/agno_example/pyproject.toml create mode 100644 python/examples/frameworks/agno_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/agno_example/uv.lock create mode 100644 python/examples/frameworks/autogen_example/customer_support_agent.py create mode 100644 python/examples/frameworks/autogen_example/pyproject.toml create mode 100644 python/examples/frameworks/autogen_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/autogen_example/uv.lock create mode 100644 python/examples/frameworks/crewai_example/customer_support_crew.py create mode 100644 python/examples/frameworks/crewai_example/pyproject.toml create mode 100644 python/examples/frameworks/crewai_example/tests/test_customer_support_crew.py create mode 100644 python/examples/frameworks/crewai_example/uv.lock create mode 100644 python/examples/frameworks/dspy_example/customer_support_agent.py create mode 100644 python/examples/frameworks/dspy_example/pyproject.toml create mode 100644 python/examples/frameworks/dspy_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/dspy_example/uv.lock create mode 100644 python/examples/frameworks/google_adk_example/customer_support_agent.py create mode 100644 python/examples/frameworks/google_adk_example/pyproject.toml create mode 100644 python/examples/frameworks/google_adk_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/google_adk_example/uv.lock create mode 100644 python/examples/frameworks/inspect_ai_example/customer_support_agent.py create mode 100644 python/examples/frameworks/inspect_ai_example/pyproject.toml create mode 100644 python/examples/frameworks/inspect_ai_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/inspect_ai_example/uv.lock create mode 100644 python/examples/frameworks/instructor_example/customer_support_agent.py create mode 100644 python/examples/frameworks/instructor_example/pyproject.toml create mode 100644 python/examples/frameworks/instructor_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/instructor_example/uv.lock create mode 100644 python/examples/frameworks/langgraph_functional_api_example/customer_support_agent.py create mode 100644 python/examples/frameworks/langgraph_functional_api_example/pyproject.toml create mode 100644 python/examples/frameworks/langgraph_functional_api_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/langgraph_functional_api_example/uv.lock create mode 100644 python/examples/frameworks/langgraph_highlevel_api_example/customer_support_agent.py create mode 100644 python/examples/frameworks/langgraph_highlevel_api_example/pyproject.toml create mode 100644 python/examples/frameworks/langgraph_highlevel_api_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/langgraph_highlevel_api_example/uv.lock create mode 100644 python/examples/frameworks/letta_example/README.md create mode 100644 python/examples/frameworks/letta_example/customer_support_agent.py create mode 100644 python/examples/frameworks/letta_example/requirements.txt create mode 100644 python/examples/frameworks/letta_example/run.sh create mode 100644 python/examples/frameworks/llama_index_example/customer_support_agent.py create mode 100644 python/examples/frameworks/llama_index_example/pyproject.toml create mode 100644 python/examples/frameworks/llama_index_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/llama_index_example/uv.lock create mode 100644 python/examples/frameworks/no_framework_example/customer_support_agent.py create mode 100644 python/examples/frameworks/no_framework_example/pyproject.toml create mode 100644 python/examples/frameworks/no_framework_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/no_framework_example/uv.lock create mode 100644 python/examples/frameworks/pixelagent_example/customer_support_agent.py create mode 100644 python/examples/frameworks/pixelagent_example/pyproject.toml create mode 100644 python/examples/frameworks/pixelagent_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/pixelagent_example/uv.lock create mode 100644 python/examples/frameworks/promptflow_example/customer_support_agent.py create mode 100644 python/examples/frameworks/promptflow_example/pyproject.toml create mode 100644 python/examples/frameworks/promptflow_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/promptflow_example/uv.lock create mode 100644 python/examples/frameworks/pydantic_ai_example/customer_support_agent.py create mode 100644 python/examples/frameworks/pydantic_ai_example/pyproject.toml create mode 100644 python/examples/frameworks/pydantic_ai_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/pydantic_ai_example/tests/test_vibe_coding_agent.py create mode 100644 python/examples/frameworks/pydantic_ai_example/uv.lock create mode 100644 python/examples/frameworks/pydantic_ai_example/vibe_coding_agent.py create mode 100644 python/examples/frameworks/smolagents_example/customer_support_agent.py create mode 100644 python/examples/frameworks/smolagents_example/pyproject.toml create mode 100644 python/examples/frameworks/smolagents_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/smolagents_example/uv.lock create mode 100644 python/examples/frameworks/strand_example/customer_support_agent.py create mode 100644 python/examples/frameworks/strand_example/pyproject.toml create mode 100644 python/examples/frameworks/strand_example/tests/test_customer_support_agent.py create mode 100644 python/examples/frameworks/strand_example/uv.lock diff --git a/examples/create_agent_app/__init__.py b/examples/create_agent_app/__init__.py new file mode 100644 index 00000000..0519ecba --- /dev/null +++ b/examples/create_agent_app/__init__.py @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/examples/create_agent_app/common/__init__.py b/examples/create_agent_app/common/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/examples/create_agent_app/common/customer_support/__init__.py b/examples/create_agent_app/common/customer_support/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/examples/create_agent_app/common/customer_support/knowledge_base/company_policy.md b/examples/create_agent_app/common/customer_support/knowledge_base/company_policy.md new file mode 100644 index 00000000..8ec36324 --- /dev/null +++ b/examples/create_agent_app/common/customer_support/knowledge_base/company_policy.md @@ -0,0 +1,188 @@ +**XPTO Telecom – Customer Service Policy & Terms of Service** + +**Effective Date:** April 19, 2025 + +**1. Introduction** + +Welcome to XPTO Telecom! We are committed to providing you with high-quality telecommunications services, including cable internet, mobile phone services, television, and mobile device sales. This Customer Service Policy & Terms of Service ("Agreement") outlines the terms and conditions governing your use of our services and products. By subscribing to or using any XPTO Telecom service or purchasing any product from us, you acknowledge that you have read, understood, and agree to be bound by this Agreement. If you do not agree with any part of this Agreement, you should not use our services or purchase our products. + +**2. Account Information and Registration** + +2.1. **Accurate Information:** You agree to provide accurate, current, and complete information when registering for any XPTO Telecom service or purchasing any product. You are responsible for maintaining the confidentiality of your account credentials (username, password, PIN) and for all activities that occur under your account. + +2.2. **Account Updates:** You must promptly update your account information if it changes. You can update your information through our website (www.xptotelecom.com), mobile app, or by contacting customer service at 555-123-4567. + +2.3. **Account Security:** You are responsible for protecting your account from unauthorized access. If you suspect any unauthorized use of your account, you must immediately notify XPTO Telecom. We are not liable for any loss or damage resulting from your failure to protect your account. + +**3. Internet Service** + +3.1. **Service Description:** XPTO Telecom provides high-speed cable internet access. Actual speeds may vary and are not guaranteed. Factors that can affect internet speeds include network congestion, your computer's configuration, the websites you access, and the number of devices connected to your network. + +3.2. **Acceptable Use Policy (AUP):** You agree to use our internet service in accordance with our Acceptable Use Policy, which is available on our website (www.xptotelecom.com/aup). Prohibited activities include, but are not limited to: + + * Illegal activities (e.g., copyright infringement, hacking). + * Spamming or sending unsolicited bulk email. + * Distributing viruses or malware. + * Interfering with the network or other users' access to the service. + * Violating any local, state, federal, or international laws. + +3.3. **Data Usage:** We offer various data plans with monthly data allowances. If you exceed your data allowance, you may be subject to overage charges, as outlined in your service plan details. You can monitor your data usage through our website or mobile app. + +3.4. **Network Management:** XPTO Telecom reserves the right to manage our network to ensure optimal performance for all users. This may include prioritizing certain types of traffic or limiting the bandwidth available for certain applications. + +3.5. **Equipment:** To use our internet service, you will need a compatible modem and router. You can either purchase your own equipment or lease it from XPTO Telecom. If you lease equipment from us, you are responsible for its care and maintenance. Upon termination of your service, you must return the leased equipment in good working condition, reasonable wear and tear excepted. Failure to return the equipment will result in a charge for the replacement cost. + +3.6. **Installation:** Installation fees may apply. You may choose to self-install the service or have a professional technician install it. If you choose self-installation, XPTO Telecom is not responsible for any damage to your equipment or property resulting from improper installation. + +3.7. **Service Outages:** We strive to provide reliable internet service. However, outages may occur due to various factors, including equipment failures, network maintenance, and natural disasters. XPTO Telecom is not liable for any loss or damage resulting from service outages. We will make reasonable efforts to restore service as quickly as possible. In case of a prolonged outage (exceeding 24 hours), you may be eligible for a pro-rata credit on your bill. + +3.8. **Cancellation:** To cancel your internet service, you must contact XPTO Telecom at 555-123-4567. Cancellation fees may apply, depending on the terms of your service agreement. + +**4. Mobile Phone Service** + +4.1. **Service Description:** XPTO Telecom provides mobile phone service with a variety of plans that include voice, text, and data. Coverage is not available everywhere. See our coverage map on our website (www.xptotelecom.com/coverage) for details. + +4.2. **Device Compatibility:** You are responsible for ensuring that your mobile device is compatible with our network. + +4.3. **Number Portability:** You may be able to port your existing phone number to XPTO Telecom. We will work with your current carrier to facilitate the porting process. However, we cannot guarantee that the port will be successful. + +4.4. **Data Usage:** We offer various data plans with monthly data allowances. If you exceed your data allowance, you may be subject to overage charges, or your data speeds may be reduced, as outlined in your service plan details. You can monitor your data usage through our website or mobile app. + +4.5. **Roaming:** If you use our mobile phone service outside of our network coverage area, you may be subject to roaming charges. These charges can be significant. Please check our website (www.xptotelecom.com/roaming) for roaming rates and coverage information. + +4.6. **Emergency Services (911):** Our mobile phone service provides access to emergency services (911). However, it is important to understand that 911 service may not always be available or accurate, especially if you are using a Voice over Internet Protocol (VoIP) application or if you are in an area with poor coverage. + +4.7. **Lost or Stolen Devices:** If your mobile device is lost or stolen, you must immediately notify XPTO Telecom at 555-123-4567. We will suspend your service to prevent unauthorized use. You are responsible for all charges incurred until you notify us that your device is lost or stolen. + +4.8. **Unlocking:** Upon fulfillment of your contract terms or full payment for your device, XPTO Telecom will unlock your device, enabling you to use it on other compatible networks. You must request unlocking through our website or by contacting customer service. + +4.9. **Cancellation:** To cancel your mobile phone service, you must contact XPTO Telecom at 555-123-4567. Cancellation fees may apply, depending on the terms of your service agreement. You may also be responsible for the remaining balance on your device payment plan. + +**5. Television Service** + +5.1. **Service Description:** XPTO Telecom provides digital television service with a variety of channels and packages. Channel lineups are subject to change. + +5.2. **Equipment:** To use our television service, you will need a set-top box. You can either purchase your own compatible set-top box or lease it from XPTO Telecom. If you lease equipment from us, you are responsible for its care and maintenance. Upon termination of your service, you must return the leased equipment in good working condition, reasonable wear and tear excepted. Failure to return the equipment will result in a charge for the replacement cost. + +5.3. **Installation:** Installation fees may apply. You may choose to self-install the service or have a professional technician install it. If you choose self-installation, XPTO Telecom is not responsible for any damage to your equipment or property resulting from improper installation. + +5.4. **Pay-Per-View and On-Demand:** You may be able to purchase pay-per-view movies and events or access on-demand content through our television service. These purchases will be billed to your account. + +5.5. **Parental Controls:** We offer parental controls that allow you to restrict access to certain channels or content. + +5.6. **Service Interruptions:** We strive to provide uninterrupted television service. However, interruptions may occur due to various factors, including equipment failures, network maintenance, and signal interference. XPTO Telecom is not liable for any loss or damage resulting from service interruptions. We will make reasonable efforts to restore service as quickly as possible. In case of a prolonged outage (exceeding 24 hours), you may be eligible for a pro-rata credit on your bill. + +5.7. **Cancellation:** To cancel your television service, you must contact XPTO Telecom at 555-123-4567. Cancellation fees may apply, depending on the terms of your service agreement. + +**6. Mobile Device Sales** + +6.1. **Product Availability:** Mobile device availability may vary. XPTO Telecom does not guarantee the availability of any specific device. + +6.2. **Pricing:** Mobile device prices are subject to change without notice. Prices do not include taxes or shipping charges. + +6.3. **Payment:** We accept major credit cards (Visa, Mastercard, American Express, Discover) and debit cards. + +6.4. **Shipping:** We ship mobile devices to addresses within our service area. Shipping charges will apply. We are not responsible for delays caused by the shipping carrier. + +6.5. **Returns:** You may return a mobile device within 14 days of purchase for a full refund, provided that the device is in its original condition, with all original packaging and accessories. You must obtain a return authorization (RA) number from XPTO Telecom before returning any device. Shipping charges are non-refundable. After 14 days, all sales are final. + +6.6. **Warranty:** Mobile devices are covered by the manufacturer's warranty. XPTO Telecom is not responsible for providing warranty service. You must contact the manufacturer directly for warranty claims. + +6.7. **Defective Devices:** If you receive a defective mobile device, you must notify XPTO Telecom within 7 days of receipt. We will work with you to resolve the issue, which may include repair, replacement, or refund. + +**7. Billing and Payment** + +7.1. **Billing Cycle:** Your billing cycle begins on the date your service is activated. You will receive a monthly bill from XPTO Telecom. + +7.2. **Payment Methods:** We accept payments online through our website, via our mobile app, by mail, or by phone. We also offer automatic payment options. Accepted payment methods include major credit cards (Visa, Mastercard, American Express, Discover), debit cards, and electronic funds transfer (EFT). + +7.3. **Late Payment Fees:** If you fail to pay your bill by the due date, you may be subject to a late payment fee of $15.00. + +7.4. **Service Suspension:** If you fail to pay your bill, your service may be suspended. A reconnection fee of $25.00 will be charged to restore service. + +7.5. **Disputed Charges:** If you believe there is an error on your bill, you must notify XPTO Telecom within 30 days of the bill date. We will investigate the dispute and make any necessary corrections. You are still responsible for paying the undisputed portion of your bill. + +7.6. **Taxes and Fees:** You are responsible for paying all applicable taxes, fees, and surcharges associated with your XPTO Telecom service. + +**8. Contract Terms and Termination** + +8.1. **Contract Length:** Some services may require a contract. The length of the contract will be specified in your service agreement. + +8.2. **Early Termination Fees (ETF):** If you terminate your service before the end of your contract term, you may be subject to an early termination fee. The amount of the ETF will be specified in your service agreement. The ETF decreases monthly, based on the time spent within the contract. + +8.3. **Automatic Renewal:** Some services may automatically renew at the end of the contract term. You will be notified of the renewal at least 30 days before the renewal date. You may cancel the service before the renewal date to avoid being charged. + +8.4. **Termination by XPTO Telecom:** XPTO Telecom may terminate your service for any reason, including, but not limited to: + + * Violation of this Agreement. + * Failure to pay your bill. + * Fraudulent activity. + * Abuse of our network. + +**9. Customer Support** + +9.1. **Contact Information:** You can contact XPTO Telecom customer support by: + + * Phone: 555-123-4567 + * Email: support@xptotelecom.com + * Website: www.xptotelecom.com/support + * Mail: XPTO Telecom Customer Service, 123 Main Street, Anytown, USA 12345 + +9.2. **Hours of Operation:** Our customer support team is available 24 hours a day, 7 days a week. + +9.3. **Service Requests:** We will make every effort to respond to your service requests promptly and efficiently. + +**10. Limitation of Liability** + +10.1. XPTO Telecom is not liable for any direct, indirect, incidental, special, or consequential damages arising out of or in connection with your use of our services or products. + +10.2. Our liability is limited to the amount you paid for the service or product in question. + +**11. Disclaimer of Warranties** + +11.1. XPTO Telecom makes no warranties, express or implied, regarding the quality, reliability, or performance of our services or products. + +11.2. Our services and products are provided "as is" and "as available." + +**12. Governing Law** + +12.1. This Agreement shall be governed by and construed in accordance with the laws of the State of [Fictional State], without regard to its conflict of law principles. + +**13. Dispute Resolution** + +13.1. Any dispute arising out of or relating to this Agreement shall be resolved through binding arbitration in accordance with the rules of the American Arbitration Association. + +**14. Changes to This Agreement** + +14.1. XPTO Telecom may modify this Agreement at any time by posting the revised version on our website. Your continued use of our services or products after the posting of the revised Agreement constitutes your acceptance of the changes. We will provide a notice of any significant changes in the monthly bill + +**15. Entire Agreement** + +15.1. This Agreement constitutes the entire agreement between you and XPTO Telecom with respect to the subject matter hereof and supersedes all prior or contemporaneous communications and proposals, whether oral or written. + +**16. Severability** + +16.1. If any provision of this Agreement is held to be invalid or unenforceable, such provision shall be struck and the remaining provisions shall remain in full force and effect. + +**17. Force Majeure** + +17.1. XPTO Telecom shall not be liable for any delay or failure to perform its obligations under this Agreement due to causes beyond its reasonable control, including, but not limited to, acts of God, war, terrorism, riots, embargoes, acts of civil or military authorities, fire, floods, accidents, strikes, or shortages of transportation facilities, fuel, energy, labor, or materials. + +**18. Contact Information** + +If you have any questions about this Customer Service Policy & Terms of Service, please contact us at: + +XPTO Telecom Customer Service +123 Main Street +Anytown, USA 12345 +Phone: 555-123-4567 +Email: support@xptotelecom.com +Website: www.xptotelecom.com + +**END OF AGREEMENT** + +**Important Considerations:** + +* **This is a fictional policy.** You should never use this verbatim for a real company. It's a starting point. +* **Legal Review:** Always have a lawyer review any terms of service or customer policy before you implement it. Laws vary by jurisdiction and are subject to change. This is especially true for telecom services. +* **Transparency:** It's crucial to present this information in a clear, easy-to-understand manner to your customers. diff --git a/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_ecommerce.md b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_ecommerce.md new file mode 100644 index 00000000..25813c5d --- /dev/null +++ b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_ecommerce.md @@ -0,0 +1,114 @@ +**XPTO Telecom E-Commerce - Troubleshooting Guides & FAQs** + +**Document 1: I'm Having Trouble Placing an Order Online** + +**Issue:** Encountering problems when trying to complete an online purchase. + +**Possible Causes:** + +* **Website Issues:** Temporary website glitches, server problems, or maintenance. +* **Browser Compatibility:** Using an outdated or incompatible web browser. +* **Payment Issues:** Problems with the payment method (e.g., declined card, incorrect information). +* **Address Verification:** Address entered doesn't match billing address associated with the payment method. +* **Security Settings:** Browser security settings are blocking the transaction. +* **Out of Stock:** The item may be out of stock. + +**Troubleshooting Steps:** + +1. **Check Website Status:** Visit XPTO Telecom's website (www.xptotelecom.com) on another device or network. If the entire site is down, it may be a temporary server issue. Try again later. Check for any announcements on the website about maintenance. + +2. **Try a Different Browser:** Use a different web browser (e.g., Chrome, Firefox, Safari) or update your current browser to the latest version. + +3. **Clear Browser Cache and Cookies:** Clear your browser's cache and cookies. This can resolve issues caused by corrupted data. + +4. **Verify Payment Information:** Double-check that you have entered your credit card number, expiration date, CVV code, and billing address correctly. Ensure the billing address matches the address associated with your credit card. + +5. **Contact Your Bank/Credit Card Company:** If your payment is being declined, contact your bank or credit card company to ensure there are no issues with your account (e.g., insufficient funds, fraud alerts). + +6. **Disable Browser Extensions:** Temporarily disable any browser extensions (especially ad blockers or security extensions) that might be interfering with the transaction. + +7. **Check for Out-of-Stock Items:** If you are trying to purchase a specific item, check the product page to ensure it is in stock. + +8. **Try Again Later:** If the problem persists, try placing the order again later. There may be a temporary issue with the website or payment processor. + +9. **Contact XPTO Telecom Customer Support:** If you are still unable to place an order, contact XPTO Telecom Customer Support at 555-123-4567 for assistance. + +**Document 2: I Didn't Receive an Order Confirmation Email** + +**Issue:** Not receiving the confirmation email after placing an order. + +**Possible Causes:** + +* **Incorrect Email Address:** The email address entered during checkout may have been incorrect. +* **Spam Filter:** The confirmation email may have been filtered into your spam or junk mail folder. +* **Email Server Delays:** There may be delays with the email server. +* **Order Processing Issues:** There may have been an issue with processing your order, preventing the confirmation email from being sent. + +**Troubleshooting Steps:** + +1. **Check Your Spam/Junk Mail Folder:** Check your spam or junk mail folder for the confirmation email. +2. **Verify Your Email Address:** Log in to your XPTO Telecom account on the website and verify that the email address associated with your account is correct. +3. **Contact XPTO Telecom Customer Support:** If you have checked your spam folder and verified your email address and still haven't received a confirmation email, contact XPTO Telecom Customer Support at 555-123-4567 to confirm that your order was successfully placed. + +**Document 3: Tracking My Order** + +**Issue:** Need to track the status of your order. + +**Tracking Information:** + +1. **Order Confirmation Email:** The order confirmation email should contain a tracking number and a link to the shipping carrier's website. +2. **XPTO Telecom Website:** Log in to your XPTO Telecom account on the website. + * Go to "Order History" or "My Orders". + * Select the order you want to track. + * You should see the tracking number and a link to the shipping carrier's website. +3. **Shipping Carrier Website:** Visit the shipping carrier's website (e.g., UPS, FedEx, DHL) and enter your tracking number to view the current status of your shipment. + +**If Tracking Information is Not Available:** + +* It may take up to 24-48 hours for tracking information to become available after your order has shipped. +* If you have not received a tracking number or are unable to track your order after 48 hours, contact XPTO Telecom Customer Support at 555-123-4567. + +**Document 4: Returns and Exchanges** + +**Issue:** Need to return or exchange an item purchased online. + +**Return and Exchange Policy:** + +As outlined in the Customer Service Policy & Terms of Service (Section 6.5), you may return a mobile device within 14 days of purchase for a full refund, provided that the device is in its original condition, with all original packaging and accessories. This also applies to Modems, routers and electronic equipment + +**Steps to Return or Exchange an Item:** + +1. **Contact XPTO Telecom Customer Support:** Contact XPTO Telecom Customer Support at 555-123-4567 to request a Return Authorization (RA) number. You will need to provide your order number and the reason for the return. +2. **Prepare the Item for Return:** Pack the item securely in its original packaging, including all accessories, manuals, and documentation. +3. **Write the RA Number on the Package:** Clearly write the RA number on the outside of the package. +4. **Ship the Item Back:** Ship the item to the address provided by XPTO Telecom Customer Support. You are responsible for the return shipping costs. We recommend using a trackable shipping method. +5. **Refund or Exchange:** Once we receive the returned item and verify that it is in its original condition, we will process your refund or exchange. Refunds will be credited to the original payment method. Exchanges will be shipped to you after we receive the returned item. + +**Non-Returnable Items:** + +* Certain items, such as opened software or digital downloads, may not be returnable. +* Items that are damaged or missing parts may not be eligible for a full refund. + +**Document 5: Damaged or Defective Items** + +**Issue:** Receiving a damaged or defective item. + +**Steps to Resolve the Issue:** + +1. **Contact XPTO Telecom Customer Support:** Contact XPTO Telecom Customer Support at 555-123-4567 within 7 days of receiving the damaged or defective item. +2. **Provide Details:** Provide your order number, a description of the damage or defect, and (if possible) photos of the damaged item and packaging. +3. **Return Instructions:** XPTO Telecom Customer Support will provide you with instructions on how to return the damaged or defective item. +4. **Replacement or Refund:** Once we receive the returned item and verify the damage or defect, we will either ship you a replacement item or issue a full refund. We will cover the return shipping costs for damaged or defective items. + +**Document 6: Payment Issues (Declined Card, Incorrect Charges)** + +**Issue:** Problems with payment processing or incorrect charges on your credit card. + +**Troubleshooting Steps:** + +1. **Verify Payment Information:** Double-check that you entered your credit card number, expiration date, CVV code, and billing address correctly during checkout. +2. **Contact Your Bank/Credit Card Company:** If your payment is being declined, contact your bank or credit card company to ensure there are no issues with your account (e.g., insufficient funds, fraud alerts). +3. **Review Your Order History:** Log in to your XPTO Telecom account on the website and review your order history to ensure that the charges are correct. +4. **Contact XPTO Telecom Customer Support:** If you believe there is an incorrect charge on your credit card, contact XPTO Telecom Customer Support at 555-123-4567 to investigate the issue. + +These documents should help address many common e-commerce issues. As always, tailor the documents to reflect your specific return policies, shipping methods, and payment options. \ No newline at end of file diff --git a/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_internet.md b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_internet.md new file mode 100644 index 00000000..da80a9d1 --- /dev/null +++ b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_internet.md @@ -0,0 +1,227 @@ +**XPTO Telecom Internet Service - Troubleshooting Guides & FAQs** + +**Document 1: My Internet is Slow – Troubleshooting Steps** + +**Issue:** Experiencing slow internet speeds? Use this guide to diagnose and resolve common issues. + +**Possible Causes:** + +* **Too many devices connected:** Each connected device (phones, tablets, computers, smart TVs, etc.) uses bandwidth. Too many devices simultaneously using the internet can slow down your connection. +* **Wi-Fi Interference:** Other electronic devices (microwaves, cordless phones, Bluetooth devices) can interfere with your Wi-Fi signal. +* **Outdated Router/Modem:** Older equipment may not be able to handle the speeds of your current internet plan. +* **Websites with Slow Loading Times:** The problem may not be your internet connection, but rather the website you are trying to access. +* **Malware/Viruses:** Malware and viruses can consume bandwidth and slow down your computer and network. +* **Router Placement:** If your router is hidden in a corner or placed in a bad spot like a basement, your wifi signal may be very weak + +**Troubleshooting Steps:** + +1. **Restart Your Modem and Router:** + * Unplug your modem and router from the power outlet. + * Wait 60 seconds. + * Plug the modem back in and wait for it to power on fully (usually when the lights become stable). + * Plug the router back in and wait for it to power on fully. + * Test your internet speed. + +2. **Run a Speed Test:** + * Visit www.xptotelecom.com/speedtest (or use any reputable online speed test) on a device connected directly to your modem via an Ethernet cable (bypassing the Wi-Fi). + * Compare the results to the speeds you are paying for in your internet plan. If speeds are significantly lower than expected when connected directly to the modem, contact XPTO Telecom Technical Support at 555-123-4567. + +3. **Disconnect Devices:** + * Disconnect some of the devices connected to your Wi-Fi. + * Test your internet speed again. If the speed improves, too many devices may be the cause of the slowdown. + +4. **Check Wi-Fi Interference:** + * Move your router away from other electronic devices that could cause interference. + * Try changing your Wi-Fi channel in your router settings. (See your router's manual for instructions, or visit www.xptotelecom.com/wifiguide for general instructions). + +5. **Scan for Malware/Viruses:** + * Run a full system scan using your antivirus software. + +6. **Check Router Placement:** + * Make sure your router is placed at a higher place, unobstructed by walls and objects that will weak the signal + +7. **Update Router Firmware:** + * Outdated firmware can cause performance issues. Check your router manufacturer's website for the latest firmware updates. (See your router's manual for instructions, or visit www.xptotelecom.com/firmwareguide for general instructions). + +8. **Consider Upgrading Your Equipment:** + * If you are using older equipment, it may be time to upgrade to a newer modem and router that can handle faster internet speeds. + * Contact XPTO Telecom to discuss equipment upgrade options. + +9. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and are still experiencing slow internet speeds, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 2: My Internet Connection Keeps Dropping – Troubleshooting Steps** + +**Issue:** Your internet connection is frequently disconnecting. + +**Possible Causes:** + +* **Loose Cables:** Loose or damaged cables can interrupt the internet signal. +* **Modem/Router Issues:** The modem or router may be malfunctioning or overheating. +* **Network Issues:** There may be a problem with XPTO Telecom's network in your area. +* **Outdated Network Drivers:** Drivers for your network adapter in your computer may be outdated + +**Troubleshooting Steps:** + +1. **Check Cables:** + * Ensure all cables connected to your modem, router, and computer are securely plugged in. + * Check for any damaged or frayed cables and replace them if necessary. + +2. **Restart Your Modem and Router:** + * Unplug your modem and router from the power outlet. + * Wait 60 seconds. + * Plug the modem back in and wait for it to power on fully. + * Plug the router back in and wait for it to power on fully. + * Test your internet connection. + +3. **Check Modem Lights:** + * Refer to your modem's manual or the XPTO Telecom website (www.xptotelecom.com/modemlights) to understand the meaning of the lights on your modem. If any lights are blinking or off when they should be on, this indicates a problem. + +4. **Check Event Viewer (Windows) / Console (macOS):** + * These system tools can show error messages related to network connectivity. Search online for instructions specific to your operating system. + +5. **Try a Different Device:** + * If possible, try connecting a different device (e.g., a laptop) to your modem via an Ethernet cable. If the connection is stable on the other device, the problem may be with your original device. + +6. **Check Network Adapter Drivers:** + * Ensure you have the latest network adapter drivers installed on your computer. You can usually find these drivers on your computer manufacturer's website. + +7. **Monitor for Overheating:** + * Ensure your modem and router have adequate ventilation. Overheating can cause them to malfunction. + +8. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and your internet connection continues to drop, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 3: I Can't Connect to Wi-Fi – Troubleshooting Steps** + +**Issue:** Unable to connect to your Wi-Fi network. + +**Possible Causes:** + +* **Incorrect Password:** You may be entering the wrong Wi-Fi password. +* **Wi-Fi is Disabled:** Wi-Fi may be disabled on your device or router. +* **Router is Not Broadcasting:** The router may not be broadcasting the Wi-Fi signal. +* **Signal Strength:** You may be too far from the router to receive a strong Wi-Fi signal. + +**Troubleshooting Steps:** + +1. **Verify Wi-Fi is Enabled:** + * Ensure Wi-Fi is enabled on your device (phone, tablet, laptop, etc.). + +2. **Check the Wi-Fi Password:** + * Make sure you are entering the correct Wi-Fi password. If you have forgotten the password, you can usually find it on the router itself or in your router settings. (Visit www.xptotelecom.com/wifipassword for a guide). + +3. **Restart Your Router:** + * Unplug your router from the power outlet. + * Wait 30 seconds. + * Plug the router back in and wait for it to power on fully. + +4. **Move Closer to the Router:** + * Move closer to the router to see if the signal strength improves. + +5. **Check Router Settings:** + * Access your router settings (usually by typing 192.168.1.1 or 192.168.0.1 into your web browser – consult your router manual). + * Make sure the Wi-Fi is enabled and that the router is broadcasting its SSID (network name). + +6. **Forget the Network and Reconnect:** + * On your device, "forget" your Wi-Fi network. Then, search for available networks and reconnect, entering the password again. + +7. **Check for Router Firmware Updates:** + * Outdated firmware can cause connectivity problems. Check your router manufacturer's website for the latest firmware updates. (See your router's manual for instructions, or visit www.xptotelecom.com/firmwareguide for general instructions). + +8. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and are still unable to connect to Wi-Fi, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 4: Billing Issue - Understanding Your XPTO Telecom Internet Bill** + +**Issue:** Need help understanding a charge on your XPTO Telecom bill? + +**Explanation of Common Charges:** + +* **Monthly Service Fee:** This is the base cost for your internet service plan. The amount is determined by the speed tier and any promotional discounts applied to your account. +* **Equipment Rental Fee:** If you lease a modem and/or router from XPTO Telecom, you will see a monthly equipment rental fee. The fee varies depending on the type of equipment. +* **Overage Charges:** If you exceed your monthly data allowance, you will be charged for overage usage. Overage rates are specified in your service agreement. +* **Taxes and Fees:** These include federal, state, and local taxes, as well as regulatory fees. +* **Late Payment Fee:** A late payment fee is charged if your payment is not received by the due date. +* **One-Time Charges:** These may include installation fees, activation fees, or other one-time charges for specific services or equipment. + +**Troubleshooting Billing Discrepancies:** + +1. **Review Your Bill Carefully:** Examine each charge on your bill to ensure it is accurate. +2. **Check Your Data Usage:** Monitor your data usage through the XPTO Telecom website or mobile app to ensure you are not exceeding your monthly data allowance. +3. **Verify Promotional Discounts:** Check that any promotional discounts you are entitled to are being applied correctly. +4. **Contact XPTO Telecom Billing Support:** If you have a question about a charge or believe there is an error on your bill, contact XPTO Telecom Billing Support at 555-123-4567. Be prepared to provide your account number and details about the specific charge you are questioning. We will investigate the issue and resolve it as quickly as possible. + +**Document 5: Requesting a Credit or Adjustment to Your XPTO Telecom Internet Bill** + +**Issue:** Seeking a credit or adjustment on your XPTO Telecom bill due to a service outage or other issue? + +**Policy:** + +XPTO Telecom is committed to providing reliable and high-quality internet service. In the event of a service outage or other issue that significantly impacts your service, you may be eligible for a credit or adjustment to your bill. + +**Eligibility:** + +Credits or adjustments may be considered in the following circumstances: + +* **Prolonged Service Outage:** If your internet service is interrupted for an extended period of time due to a network outage or equipment failure. The length of the outage required for a credit will depend on the specific circumstances, but generally requires at least 24 hours of continuous outage. +* **Service Degradation:** If you experience persistent and significant degradation of service (e.g., consistently slow speeds that are well below your plan's advertised speed) despite troubleshooting efforts. +* **Billing Errors:** If you are incorrectly billed for services or equipment. + +**How to Request a Credit or Adjustment:** + +1. **Contact XPTO Telecom Billing Support:** Contact us at 555-123-4567, or via email at billing@xptotelecom.com. +2. **Provide Details:** Explain the nature of the issue and provide specific details, including: + * Your account number. + * The date and time the issue occurred. + * The duration of the outage or period of service degradation. + * A description of the problem. + * Any troubleshooting steps you have already taken. +3. **Investigation:** XPTO Telecom will investigate your claim and determine if a credit or adjustment is warranted. We may need to gather additional information or conduct further testing. +4. **Resolution:** If your claim is approved, a credit or adjustment will be applied to your next bill. + +**Important Notes:** + +* Credits or adjustments are not guaranteed and are subject to review on a case-by-case basis. +* XPTO Telecom is not responsible for outages caused by customer-owned equipment or force majeure events (e.g., natural disasters). +* Requests for credits or adjustments must be made within 30 days of the date of the bill in question. + +**Document 6: Understanding Data Usage and Overage Charges** + +**Issue:** Want to better understand your data usage and how to avoid overage charges? + +**Explanation:** + +All XPTO Telecom internet plans come with a monthly data allowance. This is the amount of data you can use each month without incurring overage charges. Data is used when you browse the internet, stream videos, download files, play online games, and use other internet-connected applications. + +**How to Track Your Data Usage:** + +1. **XPTO Telecom Website or Mobile App:** Log in to your account on the XPTO Telecom website or mobile app to view your current data usage for the billing cycle. The display is updated every 12 hours. +2. **Usage Alerts:** Sign up for email or text message alerts to receive notifications when you are approaching your data allowance limit. You can configure these alerts through your account settings. + +**Tips for Managing Your Data Usage:** + +* **Monitor Streaming:** Streaming video uses a significant amount of data. Adjust your streaming quality settings to lower resolutions (e.g., from 4K to HD or SD). +* **Download Over Wi-Fi:** Download large files, such as software updates or movies, over Wi-Fi instead of using mobile data (if you also have XPTO mobile service). +* **Disable Auto-Play:** Disable auto-play features in social media and video streaming apps. +* **Close Unused Apps:** Close apps that are running in the background and using data unnecessarily. +* **Use Data Compression Tools:** Consider using data compression tools to reduce the amount of data used by your web browser. + +**Overage Charges:** + +If you exceed your monthly data allowance, you will be charged an overage fee. The overage rate is specified in your internet service agreement. You can purchase additional data blocks through the XPTO Telecom website or mobile app to avoid overage charges. + +**Example:** + +If your plan includes 1 TB (terabyte) of data per month and you use 1.2 TB, you will be charged for the additional 0.2 TB of data usage. + +**Understanding the Terms:** + +* **GB (Gigabyte):** A unit of data equal to 1024 MB (megabytes). +* **TB (Terabyte):** A unit of data equal to 1024 GB (gigabytes). + +**Contact XPTO Telecom:** + +If you have any questions about your data usage or overage charges, contact XPTO Telecom Billing Support at 555-123-4567. + +These documents provide a solid starting point for addressing common internet service issues and billing inquiries. They're designed to empower customers to troubleshoot basic problems themselves, reducing the volume of calls to your support team. Remember to adapt these documents to reflect any specific equipment, policies, or features unique to XPTO Telecom. diff --git a/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_mobile.md b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_mobile.md new file mode 100644 index 00000000..047d513a --- /dev/null +++ b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_mobile.md @@ -0,0 +1,211 @@ +**XPTO Telecom Mobile Services - Troubleshooting Guides & FAQs** + +**Document 1: My Mobile Phone Has No Service/Signal – Troubleshooting Steps** + +**Issue:** Experiencing a lack of cellular service (no bars, "No Service" message, unable to make calls or send texts). + +**Possible Causes:** + +* **Location:** You may be in an area with poor or no network coverage (e.g., rural areas, underground, inside thick buildings). +* **SIM Card Issues:** The SIM card may be improperly inserted, damaged, or inactive. +* **Network Outage:** There may be a network outage in your area. +* **Airplane Mode:** Airplane mode disables all wireless connections, including cellular service. +* **Device Settings:** Certain settings on your phone may be interfering with the connection. +* **Account Issues:** Your account may be suspended due to non-payment or other reasons. + +**Troubleshooting Steps:** + +1. **Check Your Location:** + * Move to a different location, preferably outdoors, to see if you can get a signal. Check the XPTO Telecom coverage map on our website (www.xptotelecom.com/coverage) to verify coverage in your area. + +2. **Toggle Airplane Mode:** + * Enable Airplane Mode for 15 seconds, then disable it. This can sometimes reset the connection to the network. + +3. **Restart Your Phone:** + * Power your phone off completely, wait 30 seconds, and then turn it back on. + +4. **Check SIM Card:** + * Power off your phone. + * Remove the SIM card. + * Inspect the SIM card for any damage (scratches, cracks). + * Clean the SIM card with a soft, dry cloth. + * Reinsert the SIM card securely. + * Power your phone back on. + +5. **Check Network Settings:** + * **Android:** Go to Settings > Connections (or Wireless & Networks) > Mobile Networks > Network Mode. Ensure the correct network mode is selected (usually "LTE/3G/2G (auto connect)"). + * **iOS:** Go to Settings > Cellular > Cellular Data Options > Enable LTE. Make sure LTE is enabled (if available in your area). + +6. **Check for Software Updates:** + * Ensure your phone's operating system is up to date. Software updates often include fixes for network connectivity issues. + +7. **Check Account Status:** + * Log in to your XPTO Telecom account through the website or mobile app to check your account status. If your account is suspended, contact customer service at 555-123-4567 to resolve the issue. + +8. **Reset Network Settings:** + * **Android:** Go to Settings > General Management > Reset > Reset Network Settings. + * **iOS:** Go to Settings > General > Transfer or Reset iPhone > Reset > Reset Network Settings. + * *Note: This will reset your Wi-Fi passwords, Bluetooth pairings, and cellular settings.* + +9. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and still have no service, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 2: I Can't Make or Receive Calls – Troubleshooting Steps** + +**Issue:** Unable to make outgoing calls or receive incoming calls on your mobile phone. + +**Possible Causes:** + +* **Signal Strength:** Weak signal strength can prevent calls from connecting. +* **Blocked Numbers:** You may have accidentally blocked the number you are trying to call, or your number may be blocked by the person you are trying to reach. +* **Call Forwarding:** Call forwarding may be enabled, diverting your calls to another number. +* **Do Not Disturb (DND):** DND mode silences incoming calls. +* **Network Issues:** There may be a problem with XPTO Telecom's network. + +**Troubleshooting Steps:** + +1. **Check Signal Strength:** + * Ensure you have a strong signal. Move to a location with better coverage if necessary. + +2. **Check Blocked Numbers:** + * **Android:** Open the Phone app, tap the three dots (menu), and go to Settings > Blocked Numbers. + * **iOS:** Go to Settings > Phone > Blocked Contacts. + * Remove any numbers you don't want to block. + +3. **Check Call Forwarding:** + * **Android:** Open the Phone app, tap the three dots (menu), and go to Settings > Call Forwarding. + * **iOS:** Go to Settings > Phone > Call Forwarding. + * Disable call forwarding if it is enabled. + +4. **Check Do Not Disturb (DND):** + * **Android:** Swipe down from the top of the screen to access the Quick Settings panel. Check if DND is enabled (usually represented by a moon icon). + * **iOS:** Swipe down from the top-right corner of the screen to open Control Center. Check if DND is enabled (usually represented by a moon icon). + * Disable DND if it is enabled. + +5. **Restart Your Phone:** + * Power your phone off completely, wait 30 seconds, and then turn it back on. + +6. **Dial *#31# (to disable call restrictions):** + * Sometimes accidental activation of call restrictions can block outgoing calls. + +7. **Test with a Known Working Number:** + * Try calling a known working number (e.g., a landline) to see if the problem is with your phone or with the number you are trying to reach. + +8. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and are still unable to make or receive calls, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 3: I Can't Send or Receive Text Messages (SMS/MMS) – Troubleshooting Steps** + +**Issue:** Unable to send or receive text messages (SMS/MMS). + +**Possible Causes:** + +* **Signal Strength:** Weak signal strength can prevent text messages from sending or receiving. +* **Incorrect SMS Center Number:** The SMS Center number may be incorrect in your phone's settings. +* **Blocked Numbers:** You may have blocked the number you are trying to text, or your number may be blocked by the person you are trying to text. +* **Insufficient Memory:** Your phone may be running low on storage space, preventing it from receiving new messages. +* **APN Settings:** Incorrect APN (Access Point Name) settings can prevent MMS messages from sending or receiving. +* **Network Issues:** There may be a problem with XPTO Telecom's network. + +**Troubleshooting Steps:** + +1. **Check Signal Strength:** + * Ensure you have a strong signal. Move to a location with better coverage if necessary. + +2. **Restart Your Phone:** + * Power your phone off completely, wait 30 seconds, and then turn it back on. + +3. **Check Blocked Numbers:** + * **Android:** Open the Messages app, tap the three dots (menu), and go to Settings > Blocked Numbers. + * **iOS:** Go to Settings > Messages > Blocked Contacts. + * Remove any numbers you don't want to block. + +4. **Check SMS Center Number (Android only - This setting is usually automatic on iPhones):** + * The SMS Center number is a special number used to route SMS messages. This is usually configured automatically, but sometimes it can be incorrect. + * Open your phone dialer and enter `*#*#4636#*#*`. + * Select "Phone Information". + * Scroll down to "SMSC". + * Tap "Refresh". The correct SMSC should be populated. If it is blank or incorrect, contact XPTO Telecom Technical Support for the correct SMSC number for your area. + +5. **Clear Storage Space:** + * Delete old messages, photos, and videos to free up storage space on your phone. + +6. **Check APN Settings (MMS Issues - requires data connectivity):** + * **Android:** Go to Settings > Connections (or Wireless & Networks) > Mobile Networks > Access Point Names. Ensure that the APN settings are correct for XPTO Telecom. (Contact XPTO Telecom Technical Support for the correct APN settings for your area). + * **iOS:** APN settings are usually configured automatically on iPhones. If you are having MMS issues, try resetting your network settings (Settings > General > Transfer or Reset iPhone > Reset > Reset Network Settings). + +7. **Check iMessage (iOS - If the message bubble is blue):** + * If you are trying to send a text to another iPhone user, and the message bubble is blue, it is likely using iMessage (Apple's messaging service) instead of SMS. Make sure both you and the recipient have iMessage enabled in Settings > Messages. If the recipient doesn't have an active data connection, the message may not be delivered. + +8. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and are still unable to send or receive text messages, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 4: My Mobile Data Isn't Working – Troubleshooting Steps** + +**Issue:** Unable to access the internet or use data-dependent apps on your mobile phone. + +**Possible Causes:** + +* **Mobile Data is Disabled:** Mobile data may be disabled in your phone's settings. +* **Data Roaming is Disabled:** Data roaming may be disabled, preventing you from using data outside of XPTO Telecom's network. +* **APN Settings:** Incorrect APN (Access Point Name) settings can prevent data from working. +* **Data Limit Reached:** You may have reached your monthly data limit. +* **Network Issues:** There may be a problem with XPTO Telecom's network. + +**Troubleshooting Steps:** + +1. **Check Mobile Data:** + * **Android:** Swipe down from the top of the screen to access the Quick Settings panel. Ensure that mobile data is enabled. Go to Settings > Connections (or Wireless & Networks) > Data Usage and ensure mobile data is turned on. + * **iOS:** Go to Settings > Cellular and ensure that Cellular Data is enabled. + +2. **Check Data Roaming:** + * **Android:** Go to Settings > Connections (or Wireless & Networks) > Mobile Networks and ensure that Data Roaming is enabled (if you are outside of XPTO Telecom's network). Be aware that roaming charges may apply. + * **iOS:** Go to Settings > Cellular > Cellular Data Options and ensure that Data Roaming is enabled (if you are outside of XPTO Telecom's network). Be aware that roaming charges may apply. + +3. **Check APN Settings:** + * **Android:** Go to Settings > Connections (or Wireless & Networks) > Mobile Networks > Access Point Names. Ensure that the APN settings are correct for XPTO Telecom. (Contact XPTO Telecom Technical Support for the correct APN settings for your area). + * **iOS:** APN settings are usually configured automatically on iPhones. If you are having data issues, try resetting your network settings (Settings > General > Transfer or Reset iPhone > Reset > Reset Network Settings). + +4. **Check Data Usage:** + * Log in to your XPTO Telecom account through the website or mobile app to check your current data usage for the billing cycle. If you have reached your data limit, you may need to purchase additional data. + +5. **Restart Your Phone:** + * Power your phone off completely, wait 30 seconds, and then turn it back on. + +6. **Reset Network Settings:** + * **Android:** Go to Settings > General Management > Reset > Reset Network Settings. + * **iOS:** Go to Settings > General > Transfer or Reset iPhone > Reset > Reset Network Settings. + * *Note: This will reset your Wi-Fi passwords, Bluetooth pairings, and cellular settings.* + +7. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and your mobile data is still not working, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 5: Understanding Your Mobile Bill and Usage** + +**Issue:** Help understanding charges, data usage, and other items on your XPTO Telecom mobile bill. + +**Explanation of Common Charges:** + +* **Monthly Service Fee:** The base cost of your mobile plan, including voice, text, and data allowances. +* **Device Payment:** The monthly installment payment for your mobile phone, if you are on a device payment plan. +* **Data Overage:** Charges for exceeding your data allowance. +* **International Calls/Texts:** Charges for calls or texts made to international numbers. +* **Roaming Charges:** Charges for using your mobile service outside of the XPTO Telecom network coverage area. +* **Taxes and Fees:** Federal, state, and local taxes, as well as regulatory fees. +* **Premium Services:** Charges for premium text messages, subscriptions, or other add-on services. + +**How to Track Your Usage:** + +1. **XPTO Telecom Website or Mobile App:** Log in to your account to view your current usage for voice, text, and data. +2. **Usage Alerts:** Set up usage alerts through the website or mobile app to receive notifications when you are approaching your limits. +3. **Dial *DATA# or similar codes:** Some carriers have special USSD codes you can dial to receive a text message with your current usage information. (Check the XPTO Telecom website or call customer service to find out if these codes exist for your plan). + +**Understanding Data Usage:** + +See Document 6 from the Internet Service documents (adapted for mobile usage). The principles of data usage remain the same, whether using mobile data or Wi-Fi. Streaming, downloading, and using data-intensive apps all contribute to your monthly data consumption. + +**Contact XPTO Telecom Billing Support:** + +If you have any questions about your mobile bill or usage, contact XPTO Telecom Billing Support at 555-123-4567. + +These documents cover many common mobile service issues and provide users with self-service troubleshooting steps. As with the internet documents, customize these to reflect the specific services and features of XPTO Telecom. Remember, clarity and simplicity are key! diff --git a/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_television.md b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_television.md new file mode 100644 index 00000000..ebda42e0 --- /dev/null +++ b/examples/create_agent_app/common/customer_support/knowledge_base/troubleshooting_television.md @@ -0,0 +1,197 @@ +**XPTO Telecom Television Service - Troubleshooting Guides & FAQs** + +**Document 1: No Picture or Sound on My TV – Troubleshooting Steps** + +**Issue:** Experiencing a blank screen or no audio output on your TV. + +**Possible Causes:** + +* **Incorrect Input:** The TV may be set to the wrong input source (e.g., HDMI 1, HDMI 2, Component). +* **Loose Cables:** Cables connecting the set-top box to the TV may be loose or damaged. +* **Set-Top Box Issues:** The set-top box may not be powered on or may be malfunctioning. +* **TV Settings:** The TV may be muted or have its volume set too low. +* **Remote Control Issues:** The remote control may not be working properly. +* **Network Issues:** A problem with the network could be affecting the signal to the set-top box. + +**Troubleshooting Steps:** + +1. **Check the Input:** + * Ensure your TV is set to the correct input source (HDMI 1, HDMI 2, Component, etc.). Use your TV remote to cycle through the available inputs until you see the XPTO Telecom channel. + +2. **Check the Cables:** + * Make sure all cables connecting the set-top box to the TV are securely plugged in. Unplug and replug the cables at both ends to ensure a good connection. Check the cable for damage or bends. If there are any, replace them + +3. **Check the Set-Top Box:** + * Ensure the set-top box is powered on. Look for a power light on the front of the box. + * If the box is on, try pressing the power button on the set-top box (not the remote) to turn it off and then back on. + +4. **Check the TV Volume:** + * Make sure the TV is not muted and the volume is turned up. + +5. **Check the Remote Control:** + * Replace the batteries in the remote control. + * Point the remote directly at the set-top box and try changing channels. + +6. **Restart the Set-Top Box:** + * Unplug the set-top box from the power outlet. + * Wait 60 seconds. + * Plug the set-top box back in and wait for it to power on fully (usually when the lights become stable). + +7. **Check All Connections:** + * Ensure every wire is correctly connected, including the coax input from the wall + +8. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and still have no picture or sound, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 2: Pixelation or Fuzzy Picture – Troubleshooting Steps** + +**Issue:** Experiencing a pixelated or fuzzy picture quality on your TV. + +**Possible Causes:** + +* **Weak Signal:** The incoming signal may be weak due to issues with the cable connection or external factors. +* **Loose Cables:** Loose or damaged cables can degrade the signal quality. +* **Splitters:** Too many splitters in the cable line can weaken the signal. +* **Weather Conditions:** Severe weather can sometimes affect the signal. +* **Set-Top Box Issues:** The set-top box may be malfunctioning. + +**Troubleshooting Steps:** + +1. **Check the Cables:** + * Ensure all cables connecting the set-top box to the TV and the wall are securely plugged in. Replace any damaged cables. + +2. **Check the Coaxial Cable Connection:** + * Make sure the coaxial cable (the round cable that connects to the wall) is securely connected to the set-top box. + +3. **Bypass Splitters:** + * If you are using any splitters in the cable line, try bypassing them by connecting the coaxial cable directly from the wall to the set-top box. + * If the picture quality improves, the splitter may be the problem. Replace it with a high-quality splitter or remove it altogether if it is not needed. + +4. **Restart the Set-Top Box:** + * Unplug the set-top box from the power outlet. + * Wait 60 seconds. + * Plug the set-top box back in and wait for it to power on fully. + +5. **Check Weather Conditions:** + * If the pixelation or fuzziness started during or after a severe storm, the issue may be due to weather-related interference. The problem may resolve itself once the weather clears. + +6. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and the picture quality is still poor, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 3: Guide is Missing Information or Not Loading – Troubleshooting Steps** + +**Issue:** The TV guide (channel listings) is incomplete, missing, or not loading properly. + +**Possible Causes:** + +* **Signal Interruption:** Interruption to the signal carrying the guide data. +* **Set-Top Box Memory:** The set-top box may be experiencing memory issues. +* **Software Glitch:** A temporary software glitch. + +**Troubleshooting Steps:** + +1. **Restart the Set-Top Box:** + * Unplug the set-top box from the power outlet. + * Wait 60 seconds. + * Plug the set-top box back in and wait for it to power on fully. + * This often resolves guide issues. + +2. **Force a Guide Update (if available - consult your set-top box manual):** + * Some set-top boxes have a menu option to manually update the TV guide. Consult your set-top box manual for instructions. + +3. **Check Cable Connection:** + * Ensure the coaxial cable from the wall is properly attached to the set-top box. + +4. **Wait for Guide to Populate:** + * Sometimes, it takes a few minutes for the guide data to download and populate after restarting the set-top box. Give it some time. + +5. **Contact XPTO Telecom Technical Support:** + * If the guide is still missing information or not loading after trying the above steps, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 4: Remote Control Not Working – Troubleshooting Steps** + +**Issue:** The remote control is not responding to button presses. + +**Possible Causes:** + +* **Dead Batteries:** The batteries in the remote control may be dead. +* **Incorrect Programming:** The remote control may not be properly programmed to control your TV or set-top box. +* **Obstructions:** Objects may be blocking the signal between the remote and the set-top box. +* **Remote Control Issues:** The remote control itself may be malfunctioning. + +**Troubleshooting Steps:** + +1. **Replace the Batteries:** + * Replace the batteries in the remote control with fresh batteries. + +2. **Point the Remote Directly at the Set-Top Box:** + * Ensure you are pointing the remote directly at the set-top box and that there are no obstructions in the way. + +3. **Clean the Remote Control:** + * Clean the remote control with a soft, dry cloth. Pay particular attention to the battery contacts. + +4. **Reprogram the Remote Control (if necessary):** + * Consult your XPTO Telecom set-top box manual for instructions on how to program the remote control to control your TV and set-top box. You may need to enter a specific code for your TV manufacturer. Common TV codes can also be found at www.xptotelecom.com/remotecodes. + +5. **Test with a Different Remote (if available):** + * If you have another remote control that you can use to control your TV or set-top box, try using it to see if it works. If the other remote works, the original remote may be malfunctioning. + +6. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and the remote control is still not working, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 5: On-Demand or Pay-Per-View Not Working – Troubleshooting Steps** + +**Issue:** Unable to access On-Demand content or purchase Pay-Per-View events. + +**Possible Causes:** + +* **Account Restrictions:** Your account may have restrictions preventing access to On-Demand or Pay-Per-View content. +* **Parental Controls:** Parental controls may be blocking access to certain content. +* **Insufficient Account Balance:** If you have a limited account, you may not have sufficient funds to purchase Pay-Per-View events. +* **Set-Top Box Issues:** The set-top box may be malfunctioning. +* **Network Issues:** There may be a problem with the network preventing access to On-Demand content. + +**Troubleshooting Steps:** + +1. **Check Account Restrictions:** + * Log in to your XPTO Telecom account through the website or mobile app to check for any account restrictions that may be preventing access to On-Demand or Pay-Per-View content. + +2. **Check Parental Controls:** + * Disable parental controls to see if they are blocking access to the content. Consult your XPTO Telecom set-top box manual for instructions on how to disable parental controls. + +3. **Check Account Balance:** + * If you have a prepaid account, make sure you have sufficient balance to pay for the content. + +4. **Restart the Set-Top Box:** + * Unplug the set-top box from the power outlet. + * Wait 60 seconds. + * Plug the set-top box back in and wait for it to power on fully. + +5. **Check Internet Connection (if applicable):** + * Some On-Demand features use your internet connection. Make sure your internet service is working. + +6. **Contact XPTO Telecom Technical Support:** + * If you have tried all of the above steps and are still unable to access On-Demand or Pay-Per-View content, contact XPTO Telecom Technical Support at 555-123-4567. + +**Document 6: Billing Issues for Television Services** + +**Issue:** Questions or concerns about charges related to XPTO Telecom's television service. + +**Explanation of Common Charges:** + +* **Monthly Service Fee:** The base cost for your TV package, including the channel lineup you've subscribed to. +* **Equipment Rental:** If you lease a set-top box or other equipment from XPTO Telecom, you will see a monthly rental fee. +* **Pay-Per-View/On-Demand Purchases:** Charges for movies, events, or other content you've purchased. +* **Premium Channel Subscriptions:** Monthly fees for premium channels like HBO, Showtime, etc. +* **Taxes and Fees:** Federal, state, and local taxes, and regulatory fees. +* **Installation/Activation Fees:** One-time charges for activating your service. + +**Troubleshooting Billing Discrepancies:** + +1. **Review Your Bill:** Carefully examine each charge on your bill. +2. **Check Your Subscription:** Verify the channels you are subscribed to match what you are being billed for. +3. **Review PPV/On-Demand History:** Check your account online or via the set-top box to review your recent purchases to make sure you recognize all the charges. +4. **Check for Promotional Offers:** Confirm that any promotional offers or discounts are being correctly applied. +5. **Contact XPTO Telecom Billing Support:** If you find a discrepancy or have questions, contact our billing support at 555-123-4567. + +These documents provide a strong base for addressing common TV service issues. As before, be sure to tailor these to your specific equipment and channel lineups. User-friendly language is essential! \ No newline at end of file diff --git a/examples/create_agent_app/common/customer_support/mocked_apis.py b/examples/create_agent_app/common/customer_support/mocked_apis.py new file mode 100644 index 00000000..24de207f --- /dev/null +++ b/examples/create_agent_app/common/customer_support/mocked_apis.py @@ -0,0 +1,79 @@ +import random +import time +from os import path +from typing import List, Literal, TypedDict + + +class OrderSummaryResponse(TypedDict): + order_id: str + items: List[str] + total_amount: float + order_date: str + + +def http_GET_customer_order_history() -> List[OrderSummaryResponse]: + return [ + OrderSummaryResponse( + order_id="9127412", + items=["iPhone 14 Pro"], + total_amount=959, + order_date="2024-02-05", + ), + OrderSummaryResponse( + order_id="3451323", + items=["Airpods Pro"], + total_amount=299, + order_date="2024-01-15", + ), + ] + + +class OrderStatusResponse(TypedDict): + order_id: str + status: Literal["pending", "shipped", "delivered", "cancelled"] + + +def http_GET_order_status(order_id: str) -> OrderStatusResponse: + if not order_id in ["9127412", "3451323"]: + raise ValueError("Order not found") + + time.sleep(0.1) + random_status: Literal["pending", "shipped", "delivered", "cancelled"] = ( + random.choice(["pending", "shipped", "delivered", "cancelled"]) + ) + return OrderStatusResponse(order_id=order_id, status=random_status) + + +class DocumentResponse(TypedDict): + document_id: str + document_name: str + document_content: str + + +def http_GET_company_policy() -> DocumentResponse: + time.sleep(0.1) + with open( + path.join(path.dirname(__file__), "knowledge_base", "company_policy.md"), "r" + ) as f: + return DocumentResponse( + document_id="company_policy", + document_name="Company Policy", + document_content=f.read(), + ) + + +def http_GET_troubleshooting_guide( + guide: Literal["internet", "mobile", "television", "ecommerce"], +) -> DocumentResponse: + time.sleep(0.1) + with open( + path.join( + path.dirname(__file__), "knowledge_base", f"troubleshooting_{guide}.md" + ), + "r", + ) as f: + return DocumentResponse( + document_id=f"troubleshooting_{guide}", + document_name=f"Troubleshooting {guide}", + document_content=f.read(), + ) diff --git a/examples/create_agent_app/common/customer_support/mocked_apis.ts b/examples/create_agent_app/common/customer_support/mocked_apis.ts new file mode 100644 index 00000000..076d0ede --- /dev/null +++ b/examples/create_agent_app/common/customer_support/mocked_apis.ts @@ -0,0 +1,118 @@ +import * as fs from "fs"; +import * as path from "path"; + +export type OrderSummaryResponse = { + orderId: string; + items: string[]; + totalAmount: number; + orderDate: string; +}; + +export type OrderStatusResponse = { + orderId: string; + status: "pending" | "shipped" | "delivered" | "cancelled"; +}; + +export type DocumentResponse = { + documentId: string; + documentName: string; + documentContent: string; +}; + +const sleep = (ms: number): Promise => { + return new Promise((resolve) => setTimeout(resolve, ms)); +}; + +export const httpGETCustomerOrderHistory = async (): Promise< + OrderSummaryResponse[] +> => { + await sleep(100); + + return [ + { + orderId: "9127412", + items: ["iPhone 14 Pro"], + totalAmount: 959, + orderDate: "2024-02-05", + }, + { + orderId: "3451323", + items: ["Airpods Pro"], + totalAmount: 299, + orderDate: "2024-01-15", + }, + ]; +}; + +export const httpGETOrderStatus = async ( + orderId: string +): Promise => { + if (!["9127412", "3451323"].includes(orderId)) { + throw new Error("Order not found"); + } + + await sleep(100); + const statuses: ("pending" | "shipped" | "delivered" | "cancelled")[] = [ + "pending", + "shipped", + "delivered", + "cancelled", + ]; + const randomIndex = Math.floor(Math.random() * statuses.length); + const randomStatus = statuses[randomIndex]!; + + return { + orderId, + status: randomStatus, + }; +}; + +export const httpGETCompanyPolicy = async (): Promise => { + await sleep(100); + + const filePath = getKnowledgeBasePath("company_policy.md"); + const documentContent = fs.readFileSync(filePath, "utf-8"); + + return { + documentId: "company_policy", + documentName: "Company Policy", + documentContent: documentContent, + }; +}; + +export const httpGETTroubleshootingGuide = async ( + guide: "internet" | "mobile" | "television" | "ecommerce" +): Promise => { + await sleep(100); + + const filePath = getKnowledgeBasePath(`troubleshooting_${guide}.md`); + const documentContent = fs.readFileSync(filePath, "utf-8"); + + return { + documentId: `troubleshooting_${guide}`, + documentName: `Troubleshooting ${guide}`, + documentContent: documentContent, + }; +}; + +const findPackageRoot = (): string => { + let currentDir = __dirname; + while (currentDir !== path.dirname(currentDir)) { + if (fs.existsSync(path.join(currentDir, "package.json"))) { + return currentDir; + } + currentDir = path.dirname(currentDir); + } + throw new Error("Could not find package root"); +}; + +const getKnowledgeBasePath = (filename: string): string => { + const packageRoot = findPackageRoot(); + return path.join( + packageRoot, + "common", + "customer_support", + "knowledge_base", + filename + ); +}; diff --git a/examples/create_agent_app/common/vibe_coding/__init__.py b/examples/create_agent_app/common/vibe_coding/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/examples/create_agent_app/common/vibe_coding/template/.gitignore b/examples/create_agent_app/common/vibe_coding/template/.gitignore new file mode 100644 index 00000000..a547bf36 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/.gitignore @@ -0,0 +1,24 @@ +# Logs +logs +*.log +npm-debug.log* +yarn-debug.log* +yarn-error.log* +pnpm-debug.log* +lerna-debug.log* + +node_modules +dist +dist-ssr +*.local + +# Editor directories and files +.vscode/* +!.vscode/extensions.json +.idea +.DS_Store +*.suo +*.ntvs* +*.njsproj +*.sln +*.sw? diff --git a/examples/create_agent_app/common/vibe_coding/template/README.md b/examples/create_agent_app/common/vibe_coding/template/README.md new file mode 100644 index 00000000..8381357a --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/README.md @@ -0,0 +1,73 @@ +# Welcome to your Lovable project + +## Project info + +**URL**: https://lovable.dev/projects/8505dd69-6a1f-4cd7-800e-d0adb4452a33 + +## How can I edit this code? + +There are several ways of editing your application. + +**Use Lovable** + +Simply visit the [Lovable Project](https://lovable.dev/projects/8505dd69-6a1f-4cd7-800e-d0adb4452a33) and start prompting. + +Changes made via Lovable will be committed automatically to this repo. + +**Use your preferred IDE** + +If you want to work locally using your own IDE, you can clone this repo and push changes. Pushed changes will also be reflected in Lovable. + +The only requirement is having Node.js & npm installed - [install with nvm](https://github.com/nvm-sh/nvm#installing-and-updating) + +Follow these steps: + +```sh +# Step 1: Clone the repository using the project's Git URL. +git clone + +# Step 2: Navigate to the project directory. +cd + +# Step 3: Install the necessary dependencies. +npm i + +# Step 4: Start the development server with auto-reloading and an instant preview. +npm run dev +``` + +**Edit a file directly in GitHub** + +- Navigate to the desired file(s). +- Click the "Edit" button (pencil icon) at the top right of the file view. +- Make your changes and commit the changes. + +**Use GitHub Codespaces** + +- Navigate to the main page of your repository. +- Click on the "Code" button (green button) near the top right. +- Select the "Codespaces" tab. +- Click on "New codespace" to launch a new Codespace environment. +- Edit files directly within the Codespace and commit and push your changes once you're done. + +## What technologies are used for this project? + +This project is built with: + +- Vite +- TypeScript +- React +- shadcn-ui +- Tailwind CSS + +## How can I deploy this project? + +Simply open [Lovable](https://lovable.dev/projects/8505dd69-6a1f-4cd7-800e-d0adb4452a33) and click on Share -> Publish. + +## Can I connect a custom domain to my Lovable project? + +Yes it is! + +To connect a domain, navigate to Project > Settings > Domains and click Connect Domain. + +Read more here: [Setting up a custom domain](https://docs.lovable.dev/tips-tricks/custom-domain#step-by-step-guide) diff --git a/examples/create_agent_app/common/vibe_coding/template/bun.lockb b/examples/create_agent_app/common/vibe_coding/template/bun.lockb new file mode 100644 index 0000000000000000000000000000000000000000..160304d398161f97165233dfe6636caa631bfdfb GIT binary patch literal 198351 zcmeGF30RF?8~=@ONu|<6Q3*|y<|3jrNF!+^QJUv@AXGw;p~#qImZ35v6*5Gmk||0` zWJ-lXhC;mOXAj~EFVMZIWQyv`RPzc1k?x=>v=^*MK22XVYovG zqLAOu%U}!!T>!8EXmnI?fG5;_2zepM`+_2G2PzIa3M#?J#G#ZwbdbKtxrs4?g;PzP`#3#tNnj8_s=4D>tHmj-=GahE``ULXV` z2f76E76?*K_S+Q_V)=5 z@Lj~vrt$`$gP`06IP4$4;4thC#xMvD>xTq{284S=MR`IV`+*A-j130PkTlpj<;imBK+I8IrR$9AQIqTee}j+zXeg8V&DzrV+jm8m`aQQ#ddpv zV*mPkM1?I3WiSfmnSQRqe6;K_2bhggo-$IEf&gg*?u;g>W9nD}bsu zpW^M6nf5#*J-lE#GAbdDyzp42Jr7XyNBjl`LKwnZvu+-Lwq9r ze6$%1Qa(bJIZnPFQPB~=NBYD>VTg~R9NV`?jXBR=gW@;|QT4rp7oa=FL@Hh{|FEC{ zZ;wddD4zvBq0v#W?|6F$M25?0Fynm=itB{<^$1-A`=Xb>N2K3RJ4#>&=Zht*PwcO# zu+UJSNQ?*TL`PL?G0VMm)S?5R5tK4OJt8AL7P;y$+Xwk5e~)k{PT_2Q|#w=Rg!YI zFHrHGpmgm-X8R66UJ$s6dd&Sm9Tdm)=RU0#5Oo6bI3MokDi03x_K1Q7 zv<>Xw`t}Nrip37pgMP#Qv(;zXHv|=hygZcSzB2?A+w~PLFj&tUb~!cQ(5SbNM}N;j zF|I~X?2l`pI6pHD84TD064!xZJYFH*LFkX{&;Q)F$@PR>FaEjD|F8G+;}9oom5G_4 zI3735m~pRwJg#qYJ=ko{+!u&{ay=l|lLR=A{nTyAY-ckl+O43p02J--1jTwm*35pa z02PCLF(~%8ANa-VmmMh9yE>hj&jXc&{IVGg25i-d`c%A1pxDo1RDJQ8%=)cdO#Tk! zalCFp9{Dp=`7Ti02Uk!U1d8!Gf?~VJgW^6og39l=XZjfkd2B~#KV}>?pg6w&95-@3 z-2>;bJ;|WxF9a0*%m&5wO{UI|q?88~F#q;@~qd-$Z6+lBlvA!*JUJXsJz1d0tp~+*-}vW!OAXXU{yv-+1U(4~m&(Kgptw(L2NeJf@Cyx#gc;x)5bCW41AYm{9LtL+ z4aZw$*o!~|LIR>0MG?&NtAWQj%p;k8;Fe$k#&;g_$omF+L`VC0GZsTVjL#=3CORM( zuGdi!F+P!t7#&ee&L=87(g*zeK|SnGaPf10^Y99b#0JlWa*TgN471!E@;GkZKAtgn zWeNd1nBXcD45t_c5Cygm?kChB20xF$pJ6d#A_LR{p>B9g=pwH$Z=aP5nRbFfrJ%kJ zWmg;&=W%~f95?Xwvmd(xne834m>Fkal-kc*3%EXpdqhV0^n-GYbHWm)js?Yedlhsb zC|>kEp#6`*4#uAn$DB9ike7sf56lbnOZs6Zl;isGOJLfor{ak630Z*G-G7d^1=Pd! zLih>54}<(r&{3c(z&`r%0>%8(L}px9L2-Y%$YA!{4Nw8dllv)h|MF=WGmbXUzO2Vp zE12tstjkEqao@_K%2$A5Jieefp7x+ZE}O3A^RVGHl5N{K6qE|Yht*83DKD6nW#`uTMq%!YI> zDo<`sSn4jBf7f8;%!>Ss>CR@mn{xIIE$Lo;e4L2sIOS~<&hr+R44-+e(c9Bv;ANu` zj#``Y>l!MykJ$dOIkrT+?aB_#tKG}_6t7FYRR|N`cBtRSNZwW5MvYR1l{`x-?0T2P zH{S9aaxKSv?h{7x^_82)=kp8b$c5@|RNPurYiT_Dh+Tx&G~rLH?jITX?EJXgFJDIc ze~egc#z<-r8MTF1l>^J>UF+Ry7sm%IN?dxQ28MH)pf^4I9u^AZX796?WMNJcXn!r)Et{> z$s+TDgOmDYMe%Hi_sWdFZv#)vq#!^SI)*)65=(R(C2v5A@oO9dq z!|oS-#NM28UHf*cp4Y@KsYmpm@eoc@Of1+@UijVx`+zd8?{_!YCIp{*m|u`r z9g_BW|IGJhhgD}cIEc01HxhrGG3g>-Jb&A48N)s6zSKlr{9bFXKd??nFH}t2+H!|@ zal2IVxu8Yw3hNsU&n5JT`UHI+cVoM|rI&!*YNv)L-)|gK8aF6INh|x7bZgA#Z>1A@ zuKU<|uQ=gzYpmYPGy4M<#4P$gSH{9{?ZDMm&9`@Kuab%gIW2JI*g_Mrex^(I>D1Zm z&hDAuVDaERcf$DXb8_X|2PH2!H_zi{)$8ee%T#LjN8SlKIWKCp#rIR$3UTvij#QAl zT(@>+Pg&tPZqLkdUj)z3-jeSYJ3Qd_lN7i2(npp)KK8PZVRN~_vF@Db4$ZJz+tY`} zk2e-5WaL#}UZ-Q-@~LQrGH>?kJ@R91_Dxw68F=2+s;xYZ$90Fny6n(bAy;-dzqGsV zwSQFTYdWT#

YN-nn3SZ{sHB?+0?5;s1)*rIl^P{vOsQRnK?F57jBoMk1Fb@}!x z^bc$k9DC}d$EeQ*_w>5uK6Xq@ix}y#d{9PAYg|j6+_pTi@n0lDy|e|NWS{W6yOOKL zq;bgd+Lrw-Zw1}O8wS?4y&wJ3S$&-T@_6+L8^&87arCb0C)zMGxAn_`&f*tKHb$KO zocP_sw%YyU>Sf1bEi(0AB<*ppGmzs=P&>AKknH5kBiD<&dYn0%DZkEP_JNG!+b>Fd zmz#F+_}w(YoZGi2acB9@OTCiUf7IFN(x(dycIw&OJGA%#wX+whH1K!k^vsa}aJ~C70PS(bn zl7MHOi3%MhjIVd^PBU0?;%q5*zw+i7-}=Q)zP#!4Mc2JtBR#L*{L$jItM1(hH&JRj zy)C9||D)Xt++xjcy?@?5S!2z#n-iQ;lWrwavng zX-XEyG8NSL^yZY9^m~}JTX$t;&b6zJA<0+M4t1}{?`m9eyrngCmhX#x$ss-6iRWhf zs=n)g;FigL^-7d4lHn`D3INLZ~X7S8^FXCzwTZ|R? zK29~gVwc&`VYKJY_ms#TW13Pd2MIsDqow-o`Zvc%7x%9EuuN*gn4=T5zuq?6xNP{G zgasd!3KY3rHCvMh^F-Hp2jA@C>UP_nFfOa=$J+J1S;g|A?S{N|zL6=F-X%jM#9Y^J zUtaj*^?QD)D#eL!m&_CrS#@WM8`rseoqUf)T z`iIBygtS~{beNBB<1!jF)U<8au?5#OO)}>f^9Xb8lGZ$Xx6R9C*q1L__Eow*_ET=F z43`l-RKaVz&8#)#@}ox=cjjuJ*Sj3G=k$HU>34Z;mMjcc?l3vyn7HJ)$l-3M2TxSQ zMp`c(wZQ5`M5Miak0MIAoH8J5%Mu8BSKal(K} zmbnk)Zzv{NyfzXS$uC*FJ~ZQ>_brvFaY946YGXrt^txvR+Dp%pvbZzyT|woLwGB_5 zs;_2i2=jT4OfP6}w=b`(_c<6S)Dj>hRcIGw9yfTer`wZ5v+SHk zMd`DjMtsiLY;@(`Y3E@NKCkyayXX149orQy%-D43gU4mrtL7P!AJg`pbn1=2<&?I9 zG46>}Rr!HaS85CIueZ4MY?zx&B{)h_V7a2U`i0Z#CfZ6hk7Omq_zi@(tRF6uH{k8D ze3H@_oo`dc7j@1l_ZXM(JJJtFWSS~!Pfq)EQ{2M%z=y!r-HM5-D#<>c;+8LF4ce&i z?4RS!^>Afe#%i5V!lyS{_B(mUeO2g)u8Xzx3VOZ|3{N_#O?**NeY0K4)=mA&9L>-C z>x$N=7nhX<$Z4g>HXEcA7wtSv?z_qT6uE!dT4cSSZ^D(&mzUZ+342`P#_oF57LA|v z^4Hh43U zjNg}yAF}3(v`m{7-LYuS5Am{3Y9|tHTbdTeYpajEJh;D{d8ymBCE_ZPIvc$fU)s4R zJ}l#wa6-!TZML0z54lvt&HENy);nWv?EKHl4ryou!Ryj-cTRC&9L4pE--oPwlvP|6$Ai%w0zx1%GjO%6`zEvQ2*D;Ts_~ zx`NB2W~9hS?QY9088yPV=5blp+=Gjb=xqtNmwdl_OxyJvD+bS4^Ju)?B3G%M`er#l zjttK?5&qc7@P8xJ6i@E6_uM%fen%)YZF`wV=Z4v7<^ABfmXpLq!GZ8TUIU(k;k7S5 zC;#;g@1JZFemn4*z+?S^aG)Jl65*SHpA0;_gZjy`+AhLt4qz~JIN-g2Hv%60LMSXJ z;{P1*lYnQ3MJI&+1U$AM%dr1RIp%+tNIfn1KG_O*jGr98vO((c!pkac%0H`phqei?2fQiG|DXJl^MsEF-h$$>?@2kS_bVm! zt^#jQ#gAp!53D4@E5l1foIjYygVl9JcrS`4eu@4m2Ey+Ieir2)+Yif$r9}8H;K}&+ zC4Mb_-kk&f9`IH)p56I30yZua8qaR~-GO)HfIkI1C*#KtFVQ*azjeTSau9z9@SN;_ z+M*1`bPoI{08i#0jvcFeIGOKlz#D>p+zy3?=slk`57(ezK&K-99F9~=P;L#JSdl%Lv{>v%< za2x(Jk#Z{gOCj~vz?Z=oKRbH|8YTQK;Prtgdk4GyFD}L8$+)x2+W~I`{;}^dCU*P3 z0QgzJv&w;spNX`8AbiP>`zPsta{fHmo%nDYnMJ*#5}RsWhR3n-pkKUj@{_-_QByuYE_#m~P>gdYSyW~1}J zW9a7yZwNg7{()ZScb^Hr5qJ}-|9@BipXUgF4|u$P!+yj5XLSq+FF1<1|B~@zmp20* z?|;Gd&-p{H!i5uRItdH;sjpT6+^z?;(gkJu%C zex;;d5%Adl{=cgDi*mxZQ~oi2QuYhvKZ;3Rbw%d!j|AR?YCo2d zdGu?Nd4}+(fG6{hRTeD}{yXrb|F93)oxj?nneUIV?U;yNX71O2NxekiHKF~O9{>ld zZ6N#!;PLqhWADrSYX=_tkHpWef1NR$-T%h`KMnk|v-Yu9N&D-8C*zOhtR}(_QTn_8 z*;zw`HwE67>OWG(N(`j#X5jJunH}F~pYS!nn{vQQDF5g9^RW^<&Hr5BasFXEWDc@o zg2cZCc(VSGW3?X$f0v3M*DcOncIU6mSZ4p>+QY;y9|%0QAN{kFNc;yV9`mgFMn8ma z10LW1Aq%ep+5Y}ZO65P_|FYZvF2LjZBk{A^1`_{P;Bo%*V51`X_S`KK?P0_&)+~MT`HBAXS0zoUUI(xOpS}-v3Q=;Z2_M2KgK}H|73&I8w(d7vVW2`{E5Z$gm(j8j~YKgC};ILO8C#f zPXk^7*nu>=@bR~a@Wt@*hKwHqtj!wXw)K_{X#H#u>GXn#O|MBAoUgjkMkG#zV!cjiYNWXstw}5-}t}B zk5v}iMtD8o$^A=T_$c5>|D#=2Z4m!QfXDj}(tc8owtkmLy;k52Xgsm=I~LCoUJ-&P z{xNn|uOWnw1fKY3we58O$0`40{;_-i)d9RUt^LFf`uJTU@ms);Kj`gexBpfFPuh?E zh~3}$rq{bd^N%d6eMtQDhsBHQ4>^pT-T2KZ9%I73WAz$B{O4Cec-hLCeJU}hwSOTxkK z`n?4FOo$&){NF=h+rP-OVas42N zHrU-iX2Rkz2Oj$!E=4RS66Z8t<6 zz~lO3qw9Wl4{3i6@YsIBv)TuQ{{p-jjVI+lo&4qxsb^&T_wRqPI*H>q=+9Gx-wHfF zKNF7K>u)pgHo&7jWZC7_P5%DoKG-DvT%%YOnM<0l-^-}%OK#J}lO z2E&~L{s8dw{%3dnbpQ`d=yUv5qR{ zNM!u7fQJzJ+<(o$Pv?MFg~jg-Jcf+dFm~r(67YEa!hVD6&|mWsKK?e5_P+uiub+M8 zwE-sW$Jn`l>-F!G#D4+s?%*F;a{OKE*PjSK*n+{BN8^7@{O1|MhXGI4e_#Bc2cF)3 zw82Uu{s+R~k@b%(DgToVQqO_Lld?atc%Ibd0q5lU&uZ*+-UxVl|FPnm&Zlw6KLj3z z;IH|^u73r1c*psV{n3~HUjjVb!v6Hn12zO$41n~11Mv9#j~JHm;RhBH;U!`6;qxQL zj{e!@X8}+4@4k%x6X0P8`rQ92GdT0V19)=()tC5R0dLPi{01=j$^0X8h=t+%YyBky z4_k1b`|mpNobhwVr~OZW$LAj$yS|LyNEm!h#y<>TjGv4ht1*za zo&g@8U;7&WAiKYLVw0Wz^8lWc{r5QVoLs-Y0#B~LeTjcIEIv;B7Xy#$r?2DJ3p}o0 z!n4x%SckNAn!|tYAMDPbZNTIGAMwvF-w8Zff5?)!{?raqPY)(9&L7O<^@G(!_*KBu z_YZdCZ=!g#hX=d7j?>@khgBBa_*eYE)7KBHHV9t}JiY(XHY1VE+y(x(gE`=vfOqA9p9Ie5bHHy0 zo|E`L06d2S|1;p?!%6#dfcN0QzW_K7;DCt`l(9&7=9<_`kT$^82PJSXGl=Fa^0&t%_bcmFy7`~+w}Y&}2sA9nd{Pv-vJ zSH2B+y#MMeui?eK|LQBh5O`A#{FiX(zrQzU?Y9J;llW7C$NSg5_FpaVc>mp3UKSQV zC;kI~$NR6o`Y#5allc4layWj#bJG5F;7vJbe=UdpWnlB?r2hhdH{&4w~5 z2Y62U-`JnC_NM~RiT_&QIT?RRxcR{T5@YrwI_oVz!Hb^~Z;3KK{ zkzv<=74W9OWB*|y%FO-xFYzxF{`c=!&^No|KOOjS;2+l=`X+XN?U{Lo)Jp^&=O3%< zme?hHH5EUrasQL&k6^Z+)phev-U4`hf6>?Y6M@I}llf2V|4B*vFH!MheOBiV)+PK8 z;Bo)J>km7L@OChHas80~XEg@Grvk4@@z{sN&Yxl-d9 zA9yp$Kl&zdup0kz%0IEkE`OTh(KkDDnE2}k9>rulaQUKRYKy}r!R;nx8_9{l(9`RNkyM!>T(c69%v7Blxx!n4{25`P@Vzc1rIbqSNl_}NJ$-W9-`K>Q?bqJOeQ_?y5_0-p5$pEz=!@O*L1_rF5q1dB>| zL*OmJKVo7mvRIAqJAudd517Zcv)Ye@e@XdA4xhc)?LWjR? zk36e$h{XR2cvs-@`pxRz4ORd0ACFc~)Z}{Qv3y{ZxI3-+_bv-^t(Lzvig{@H07R|2p7Jfk*#%uzUZ>wfygYe~If~6b@Drng7PXwjOz?>_LH^q=%f&c@FR zcuxB7IEVf}1CRF~eeJ(#t2m249e6Vi{ND%Of&+eJ3TNZ*1w1GIbAjh%{67QFN&gwF z=4}0}0-lrh-vXYK_Diqf%)b}#oUH#tz~l83ulrKCh*(VI`ZHoJ^MC&odEEa8vdJd_ z?@amc3;zyyyni6^vwQ!bwvKuI6=oxLY$9pDH}LbR^~(+Af_RdJMED25!&d-5pFila zmqED%lylWA`_wl0?9_jnB>b*a=KTvlR6zej{#o%CdBTrO`+NPNe^UMn?5|={&j)yX z|Bt@=!-3<#N+SGz;LU+2ZU0tTNk0D84B^{>H>Ug#1p;GWB@y0pJ!ijvz6dz%h&!=TL|6Yk|l2*X)cPx*+^>;PL$x`X_4; z&;KbAUUTE${ofZp3HVtY_-_Cn_n*GTuf2)0_*VjN&w>AX;5mt3b2DfCw-R_a4&r|f z{B#a@%`Jcb{=P5sClPpDzc^oU4zRm_p9X$1jc0fN=>p!0;&J`rb%>Qj)=$b-=I?iT zC>OaqzKo$>7sMvSYD202npW|Uk zDfH3Lgo@*24Tl&U@b2(u9_HZBJ;@yull#xVOvQQO2M5L%M3vJO{f5GU{T~Gf+K+|< z6Do4CaA5f&IIupvcKzuufyytV@+&~m4&2uM>`S;j{j3Muh#q!sffkaoV_XZBs4mdEOV*Ph; zVEKDEFri}kM>w$j6C9X+r&#YZ9H`xJU_wPZUois-72DH`8Azyj9wFrV;U7xzBNvtb zZ;IRiIFI&tse1oSu^vBlo~~FV0Dn*gsq?64Pl(FX70X4S9PJIJ&i^;X`8U&bNcYe~ee~2mN(W`A$%5$2&YpsR(F4D8%alKPdLQFev&H2ZjF_L#ezB zD9$exETk0et3w`D3lw=>Dz66$|1l=xA4<`+KI8>J%|WsKHlTw*=Yqn23|IJr?ehV} z_+miuUTGO9a_d0hKSmn-!F!mUn4uK??}I!(--`{j zJTDB2*E>Z}v@;eI`3a!t*8~*nJAz`|b3wrb!xa?!-wzbyjG}ZYD7Ir2DB4>GiuJaF zqTT(V*dGT#kvl=<^FcA8qQ5dK|9^wxb8iC`&;LIvhTa5!a6F!Z%7YHTMMWvj4*@EV zisK_l-sc)f1)av7=~zFvX#wy&;r}Qz}87N5%6)L6MWB@>10K-zjp^ zR6SJeml0GR70-{P@~CKEmMWK{%2BbNJe5bqdWux}XsR3)KaQo!Rj6`S6z!{0^-*!3 z8c*d>@w_gTM@9b=sXQv4*Q4@u#rEn`<#a`U3RRAZ>(>kv?U+;Lbj5ND>bxZ=^43&6 zx?=eZD98Eb0E+vG8&wY#KYGF++*blXaUWWWh5u0Wmk8yk%Rq6T%cSc4zd^B|vZ(gZ z72CU$Do4fqE=qTUV!s`v&i^;XQ#tSl$NeZ(@4qSfKMv<{e?CXm`(G-?eV($5iu=%I zQ1p9+Dklm>Kc7`i@B<`NjDH%X7NBU)l2R*BOsH6H4F_I7T&euO&#llAkZ!_({rK;5 zEB3~JKF8v``S-b%xgXP?SFxWkkLy$tJBd+#fl4UdH>Cf1g{K_qG2%w=(CGKJ~nSiuWb>yow3+-{;o<-#!;(|7TJC zPglHE{Qur_>v!Sr)IBoJ$NxzJd;J(pyL8js^M=Rwi=Dl({$9?)Bg-Zxz37>zv{GX2 zmzE{QQtLaMYi7SW?H>3=KfR=9=aYbr^25S)Elme*=ee5+m!GR0ZYaZiSI)GHV@MLW zW9_k9gT5{mTH&(8=R?&HZ1uAK9O}IcP-e zlXF)l2OZn_(lcfIs?j?R(c;Cun6Sy8SfGeMw_4 z7ngmq41bdKEd~C^r$5fP|D>y~X;^!LmwNt&P_yo{r-cXiik|N*+)x^G@ry)a?C2++ z!)Lda3=MRcWmvSDW*6T{ki@-BC0{@A$DHnOyPb;Pu>{7p2w`0k4&?rAlS3A4GIuIh}H zA8R7ORbrDorPDEbxy_y8jNoqb39BasW(+JE^Kg%f!^dK+Nn86BZTPf7ev;+6=H}7I z^22T^)9m8AACkCjpYJ{KP3Lt(wf$kc_9j^uE!VSM1)+^!ixRKh@3uJlVa6y;zbx^c zw^avD54w9WR(xwP&%nFAz1x=-x|AKco`K)7kp9IzlqBw3Dq>$0C%X66Oy6(cW_n!Q zCFN;O{#z^0%icXU&57A|{UVOJpLp`f z3a8%HrWwmL=kQ#xl6>~@?JXXAtSDYs11sCzg&DQ4ppXGi~p=uhG_yZEk>ByOF# z8#YwN9p$=Mp!q?yJ|tI6SUuyQRG8|-;X^v?U-EC>F>~~U$`|9EZoX(f&~syo>JRz+ z;R!Y!HR`7emS>&lZ%(s|-+7S4oiy6P>YMZpkK-%z0(zykGDa(OJhcF|Of~2IW4x zKT76}O`+Mv?}$j^Uc9;SL`i|)nVI}9Q4jQUD~5Izg|>VR>%ZChlefYI%}G5cD^66r z<{A0<%+T8h;{7Y@9u436Uaw0wt}(3K-s0IRnqB(uaJUl-FDu`T`95Vbm+aF?CNo~u zTW&8epB_0*&a)+C`L!ww_t++R$3VrPhg;S;>kPD1%-<|Hcb9)pZHerX&!&oH)ik^K z-5E*TRoi?OXWk8#cwevY8T#t0cVRKl4O=m<$yu>i824L~Hg*o4R(p10-foxmiscb2 z+E<*puF_NRCGNz>ybr}(VoOA6c14L%Q0~PJ8!mNhc+bB*QByzjbnMdu4kkGk!zV~S z62Ggi=~kz%yy|M(xa~K44vc(QxAKe2Q}s0#%~4t(oo}mk-EQyp+e5R9?>~z*~KA$Z_}JAM5V5MYiPLd7UUOy5qFofdTWY5)6a}$m#OvE?hm^Y?fGx((aFm zX4wPXmJA$z$NL61 zw-b_U9S5wRu+#hOv>zdEA-mqqTJy@pG+cS<9?+{`XlzT{qvsq%p z>fHHa)A-*;X0NV1_9J@bkSQ^_u}77(4qNKy8Ex>3d#UA+p1(_U{NP+A-V5tO3V|zW>PcZ8W>$bh|?LG6HfYW=L-94sU&toDnU);nH#ulM2V#pPjDEv+CZj+vflF zkh5fa$(M<0t!K3-4fuL?zS4x5TxTAKi=1s7gV$lQpW$~3BynGF&Kfdr#1_Riwe5y) zy81QvNK4iBZqCbE>L4-ZMCSBmqE#wR+Z41~HS(@rv2k!W8WSqCI&00>YWW5Y#%3uo z{LY!!#qR`3;?}-j?U=FgxR=)rHAYa=AOpS58A_7`-dhiJYYCcmw)>fQ=k=zyuhS1C ze%BSYzBXAnxcC@P%(DItfsc*UxDzka*Tpbm6qI{l?%;&4+C5($N|@a*lw082X*pt3 z+>GV<8@bHpoPO#n>UmLO*W9z!i*_tAGAVZ~%5Zu&{lwm9VJ8%7qPUm5*~0v8pE)1! zI}?()#f^5qh#I*)RHktC;!oS`n|0r*XpC9EVzT9-ONl)`Rn@*Rhh(dw=5OW=_|C}N znVc#VJEFbDU|(GIp$(!QH>@Vm`hotNcJ8p0LzC(=CoLHHA^YUy*wRJKD_duuj8Ds6 zAS)cW;9jaO2HGSoh%ca?sCc%Po`;48o zV`hiUaUGlY%Y?MAI-k{FVAZWDEhl*H!-`lz2mU>(alJ=%(@lN*FaI?2l$g8wC@VM9 z^Go#(S1PHzl|L&$vpbw_SL)b_GlQ1~Uh5tC&T#ewtG(6^Z{5!u@EY7oH9Tka!BH-@ zWJ~7-@sy(~T)equjh}ftS_j9Bsn5NCU15yiU9+sCG`li%yWI{~Y6^DVRNR=i)TL-R zU#$%9pjmaBEnK@D69Ps(fBItOcDZ=JU8*r#rW$=RS`+D^7&mfe`=RxZ&S$6$Zs2Ws zNwYhGZnuAon)*yV`-Z*ME=Tuhh}_P-Q}26!=%S-j7+jWl4QV-N`=|Pf@+rNHU4J7@ zu620-a{B>CJY`o8TG<)q_tp0VeO-*C+ZEZOB43@csxWQc-JFBVU6wk(7_#h>`d4?Z z`5ECZsRNInUODBo&!Y7kxY8tUb!^oC945awr0z#Qr?DeU^uNE@%KR-5bDoW&+ijdN zM7a9>)_2+(r4e7Jd@I>U@ zH#?}Ek#XJdqIl%iiWQZH%`b*a8wi)n8ic8vr-wZq%uBN?N4MK+rI8S@O=?HDWT|Zs zSJ#F3{d!&Fir0Pq{&aUjqR;yCr@zEsJty(t^$jWi!3Q_)I&yfH^5k{-@9%9Ht-nyh zbwBerG0c9Dr`y#idF$dBlRobDqm(5p98U3xE_7EtX=6AjQ|!){4EvQ?i7$;W$B9}w zZf-j%dEQX_=~%zLCr|0jNNSsZr!zw%h`v84(Ct3iEwejYd6U(F=I`BChRtbRxU|f2 z{a~Fmjp3)u$P^^L9s%=8neK>sLC6i8@7dad6t$PvhcZmp=kHWPxnJE@_Y%d z%lq;y<3;3~qrwk@rj42ZmS%S}-EOGc!2|JkU#H$1Dt%mV+VyK1wWsG9Z`#^;bGt`J zZN;m~6WXf>c{GK5+J9-pocA+%8=BLXKhx>Czi)iLaY|zm}e;niqFcKvUM) zvia?S%4~a@T_w8Rw`R3MD(6!kzZ6x~TBJHv`HjrkB`){8vPZmZu~dAgX;9Gkb-M3{ z>VqF|OI@21sCBqY?U;wZF8hPJg5&+W z@ybQtJ(Qn27Cg6>wCHbUplo|=v&Hk9!b3HIk3X9$ic!?<0w-Q?wmRrnh;a(z>w+r4$eY+T37oh!Ik=I{Mbd@^&{#GW-DToR^- zM@niQn-|Z>?!JBh?sYET0mDCkUpFH5ylhaiddQrI(U;xc6nyMjjKA3;c2((iO&{8h z{F2i3bzzZsr7*8*;ndSN+7G{4zxn!)yz!34*OFh>zxb}V+uyKtb=IB0gLXkdzK%{$ zms=h^?BriObM2N4nq4)z-D$JzW!)^KU3oVxJhZRj$wh;~AKT7G$zD=7{^8COI`&Xp zvLt`ZugCKi}I0KW=-MCwLhBW z=kJx9^}|$h$f`ZrPmX(sd8h5xI4XVSMfA0>f$g~-N8G|f)r!?uNfygx_f8xk=p!?? zo@Q5rZZ|Juu*sq!S@FR`g|%m9+dIUSJ-T|ZBv&$N?Fg@{v%9@RAAV1MJ@K#kH|#S);<#Ew3jlUhoi&T`pX|Bd+7^!I^STuN_y}b9J|d z$7?fbou#iw(E34}ZrAnLpfb0s*0+_7?BmaRK2=m#%JXk|ll9jAoYeM98%{?T2&;H} zJj*{QFU#ZhL+{Bs?%emwmR)t@$(b`jZSL2P!)bPP=ynf3E3ls3Z-(!HX3=l)v)2m_ zPWv=AL_1=$Xx5;p&w?(|wGA=Weue(yJ%mS?4ZpErTy_KF&4a~D@~vO(_M3mN2*2AR z^LHHGuEK2{pR2F(6i4ggIf2WI`gCT=KMQ#`nLOn1ia4MDo(N-%k$`f)viZ1Gii2p>2{?LeDF!o zFXz{}b|J3AYQ+3H)%rT^)_~(by1sq7q_(6s{<4_VfwE~&$5@re6q(%4Qdg+ka`A24 z=p9_Q2e=F~-cPeTfo|6=obSBw2%R>rwrqiGdFm#r;wR%?uf4x;?(o`&F0-b)kN@CS zR5x8Fv~>88>}F--2QJkYwx{jWn9Dm;JZXsPQT)v{>EDTTyN{A~*}fU9Zy7t5?WwmD!fx0E55qO9z|G0mi}Rk1OM+J# zTi>1+=p*s@U|w!dn?cYXo#(dn`v>^9oqr|nuTI{nw?7z(-P(I6SJ6BtF#nq)mxfVu zMHpYa+om3CrM#s@N+tpWmAaW$_(*?#Gx*CY#Ot+G+(7nW zj&Trwy5H2s4$DP3XJ7T~jaqZSZ&Tae+~bQUNZvBqGV83u(0dlmhr&cxde6UDvxe_= z&aE@11%>90&uQ^aq1(-QYU}1$W9#`zb*a7GV*S|y!=6@2?HZ=kT42B9CilG)^9Em^ zFnPN20)?o`kx{){EwvpaE+({3Z0XIe@zFBor@!AZq}wgc+c1saYm7DDp`%GhN4rW@ zR4WEa9m*8dRWe`MvGVm6n;-QRyxH1|-+wP$l9qF(`Mu%8D+lT-eKgN2yjn9lihf^h zM7MiO`QXb}7fz^%%^lTyxNcXfYnep1iE^dY0@Zr|E$YLCCzzgY?1(-lwa}F>;&_eZ z6y>x_ngfI9JUwmKI!V-R8~r_(G2O0~QvHpqsS^i{DDBsFYpPcEvariSC)caZkd6yk zyr$q)nmGUZJ5vU}y8muvackBiIfom<+$GUXI&NY?18eO)l3Ho~YeKhs<3xO(oY72| z#x%vLVg7+ib~oJ5xfjhGWH)@y!w?xgd|jsTbw@;cyxxMc{ns8hcWTetWxUjUxApa;y=(Mxmqom(GnmB9h0|k;B%ZwNe0{Sb?&lpIvYetNMa<4hI%gKJy(`bT<;7uO58M{-^$iKYYuPD z6jgtwUpv;#-pczN%`X1FjwJ38kv9j*bf%W;hqMn;zc25%`(=52W`Y-YyK|6G@s52~ z>jHOg3wd#F_r3cE-rhWNXHCl?zDG$Ph8?JT#V8S}*m9U=7k{ru(*Lp_$nXEqHuwLq zAMkgCBynrZ@9)23sHLUu*VH2yE7uleRL=AdlrT1ZYEW3(wkO0Y&(Ghw(<|7{=39%f zog4pz0<#&*=EOdjxa!b?kV!vkt7!c&ofrk>mcKRFV@uY@*bJE=6Mrn!J2vt0a*HP# zibY$Wq$EE{npR-j+A_IPe@9^SkwFVwy3}iJe>i7M7#8&MWbP`d4!L&bzja|gZ_c3G z4Sv-7zTbS~rN`F}y3;wfe2&ziyr#ou#tQZmUo>y>Yo5t-P2$<9kgK8je6p!8y1Iid zP3Map9kw<}T~DW5)2bH#O$M1~HgvoH!+m`w-R}QzUD(p?{txGa9o_E#@OoiSxBEZb z*B$6~)tdIaKU-Q+K49K3)5F!@y!%~RyFB)cn&&rFGfll`6;3;&uU>a5ZM(a3s?XO8 z#TPTf3XiwRkIfD^IV7dWuK4N&+I(=N+YQs-UfZc(cDFF4X71Ri?DI*loZr59w!bhq zq<>T7n2Vhu8@{~Ddn|8f`c%U9`9{yJ%j2iFj;ZMHT5~!uEvV)&{#zh2&z$IXSBu-xw>>$(AvOMwuRs{+p z=-+QT)9r4E3u@F2@VxJv*Ayr;>DByCF-K**rAyy^8K|sccY4vH<8IZX!)JKRaG&Kd z{l(FPn)knLKXg!iP}*0|#>NTezV!R*Idr?7ojWC@=Ut2MdDQHZTUutmBJ|48qr93W zKK=J@AIFy!A=7p$*R?+By5@0dn+MO5hee;-J7@Z~;!TEC!@n&ym%c~q2N$~CeR{hl zSnd3(CSRbXwl_`x_|!+a+rl+1`8LZRYZIFPY|i|R)k9C`Iv*RRWV7*Q#VXz%p+i>Y zCA^q)uzqz->1k8?{p4J_-EmJ3b`A5c=Ia_dvR}h@8%Ff^l1w|}8=D6n-I7~huhIK) zf3V!AVB`KLD&G5cLmx#~Pfa@00WBcICCd`7Y}}YRIg?dL|LW zZ2VP@c*!qXR>R*Tv^#kAOd+9FM-uiQG*R1q;;P)1^J;?krT0AkR64o)>7iV!>|5_L z>Gx;&dvlVw&pnvrKV3UG$mLSN$#37@X1U*7rz|jM)Thh2&xW~=nkdL68NAVBVf}vT z=-bP^r_Vp9c43Kd{~Zr`PVK*)nBDHl{I`hAeI0+lP7?R>-Urk6i8(BMrq4I%YP`pF96x!=m(MG553_>?KKJmk~O)`Qd3C)Xbs9d~QgmF2mkmOguHuzxcC zhL^0j`NSwFcZir+qMW>8h+$#jMguSIwYx+dKg<~{sV@A$QsV{RRg9*c;r~Fn9 zo)}Sg^g!o~DoJl6c_-I%?}tW*esJ8Td!WDO!`qV-_Vuh34XwL8`*!8aZ#26ebh~@9 zcj>DJW=(b* zI_kiY^0w9EUsb1Er`h$S+uheBu`~L70BAq4cNU(K`K+Ps%Kk+%wQrA> zGR+XR2b!_{%SnKQ_{gCq+I^?}{vFcKzsfr&eu<>)zg@b@Ru9ph*R%!Z%taY~>0Rm~KC3t(Cln-|FbXVN!)nwCh{u$0jJ zH&L{B1L$^pb$=*URNZ&=8$X6;?}h2Qjbl#T9q%viC^Xi%S5MR1Ia28Cm1n2YuJy*1 zy6y;_IJ_zAvPE{`%Pn+JUwTDiA+*${cpT!qu`&brfo2NFcL`!eSp z|FQDkg_oKwhvwcHwL5)zPOHQ@Ew6yLH*LgZG^P3OXXH#d0GA_&_^}_|KaCJcjrVBT zra8L4y;I-o!b&w-yuoz4b}{S5iru_qzoRpZ&;Fk9{Gs&@uksd-eq(>~;`=8_ZxsYD zoVGb6&?Pur{tlnLMuA9FNyUkzWztt|yPo!+DmCATW;cXxcZTqSjKN!LT(8GoJE`V& z@Rr7Nmy3$&kDnY`v}wh;VJhb;S2o)hd933O=@--d!20u?Yxe5t*rsr^m{vI)sZZ}%{>icw|`%NAS*L{XN+zF}< zUaQrhb7P%am$&Ug$3i>tNA-gbWy*i8+97sO@a3ts@i)7bN5B2?T`YEcX8kEA`h8Rs z-LBE|23Ba(C}XK$Yp&8&sFr}aZL-R{cF?_+F?>z$l!2V9Fi>Rgd}_Vw;2!HLry_AHK6 zX?Z^+qfU2VmiW8sJyk;0I-`TEN1V$|lPpWiIr3wD$XipDOQ~>SzDTw7*^a>xp53K|`aqYH__&`&t~LF<_QR-qBI(R94%)JZMmPJkdsK z@Bz(DSCo&K((Epv+dWgS+Hd`CnbUH& z2HntE@o(oyY{@w8yY-mmEc!ZLM7P`468yYmg3IlFCt{9#R9oqwA(LZewl>kp+Mqn} za8ldrjxd{;dUzEXqiH*0dF%2WCT6-*7W~MVBH@{G*_>BXl@{+}x?O{~kvtOWH6kX4 z!u@v}PjS|jeskz^j9jhr;o{*z-TbY&;cfXQ-rBwjp|5`Ps}K3B#m8ouelAL`2y}#Z^Vn-y6l#?Rs81 zvLt4e>TyX=bv5USx?|KHg$)06bg`zeFe4l+g{45)K(8){y{6`q~;sT35l=IM6U|*TT^!a zY5U4zOT(v6zr`&smOC}h?0dcY$(_yXM$6{pF)mv?(9fs!!&184XSVwiEG8|v^8c`Q zS5b8=U7)Cug?k{uo#3v)U4jR9*Wd(#1b2tv?(XhR2rhx(?hxD^ZrJ&`r_cMDg9o0z zF-LW+uButp-Dh#s+I3tybc)n%L?WuJhqd2+i16La{4q7{MCy=XUHu`o;Q-IWDS6pd z!JZy&Y@!6M@>4s^E*;={0o~@Qh=$X^(JiLb>MEE5qjM!Q&Ob=b&bVdHUu>c($+B%vp#BRVcwNO&Dp8|9n+DaYp36;5RhUy@^l37V02 z!l_?vK?TTSZBIcG;Q9jHkJTw)b4dF#Q=vgWOrCh@wmvd@FykWNj-*nSN;1EpDXU!C zc^|0B?NQ@_7Q6=znY%6VPT(-T{G&K_MS}A|7Qpoby1ICr=kn9zccZk#(X+NigHJFo3z5}r#VWw{2fA7A zC5_nGE9*TeY7Mh(?2OO^<;rdBtQHlJFZ1Uuv6FG3`ZM1o-58xs#9W@oFXJE&#Z!8+ z5l^TZch;zzj=JIj`$I6$t$HiGtQ<$|n7NDBd>Zqu9f#LKL*8~}8l>U{(bJ zYMP)(vb7^r8*N1x11K#wi^KEf8K2!N`Sl*>2ti!)mZt+|vpU7St3w3P*%-hL1-k8J zjnHLhDc^qxS%p(lUk})xgpVG}cA@*D?nI~g(#$(HXaBlkIx4pr;pAeawC>Y$yaUer!hr6!&f9@lx7~WrSRQp5f}Fw*FbtXKac?Qc$7b-x13G!gA5Qu( z*R0r5F!ywipH8xu7SB)iTeDzUKyG( zN98GstFY!L4VC?pu2+u>F$}q&@d0qIqzc}nO9}iP5A4$E}wC*7|*DAlkT_`AB&(7 z>IPpeDeY!MQ#vx~ZdrzX#&{$%l_ef?MHu4$%qL@juHRrbrghQuS{t(ZN+l~A z6j;)rsc$KlGhXL&y3v`XT z(De7Ya(U7Q*RsF%wQzNv)>U(>tH!_O7Sjc|aX=St*W)P6rRZpge7!F#oX{12k6;TD4+ibiLFk+ck$);-zOcm5 zb1P>*tA!)IWB|+O+v)^_P<6t2KKOtbgMbSSj&}as#C(R5zy640;Cl zG94FHQlGWOYRWtW2>RMM#)ZWaI_agb`BC01=}8I1Q%gyHD=p<^WM1kN+U(0F0k|nZ z7Xxbz_l6>^#`SGDsoC5gqYZMHwqN(rBm-WI=R}4F?apWfeK1a=60)-I$Vkx55;QRr zsBgI3d~fKd%yaGV$pCID&<#)+U`8MJc;a6iSAe8$@MX$e$FJD`{V^~*_ONYF+gAom z=-^6_Qfqf122(W`;twUx+awJu?6bYz={SSJZEb*?26XvcyXX8*V@6K4U6BP&VwkZcNZFgA`A;~&O$WMZ zGXoE)c1%k*WB z(sMy#jy=El%&RO9a5I3eN_Niho8|D@FgYJ0YhyiRE+c~)l}|pVmc)hU?eqsd@Wd9d zbZ?)y;-0-Zd6*0LNyduQ@i&NCz?(n6jyvC)JL0OH)oN;{9(eje`_)# zin-}YdG2IPhGhV7vw`l%?5-B@{KcNQV4Qj|Y!2sUrmpV@xgIqE+P#+WaEI!3K7oUM zS?_-b+>Tj|$V-S`AV4RywmUH|Z_=`Z!T*#7xH&+#z&>)*Hsi5n1Bxu9$vJH=IXjZz zg!o+LCS%*|o-Y*Sv{m9lMn3e37hzaiE1kU?-|X`UsGq~Y{M+Csmue93+)6Ic#g1#- z4`P$>nD_n4?eDyDii6PzE>ZkZ7NTreOb6NABt=?5?c&@MU4< zK%vxDsA&;HFCgDMpzDw-2d&k8u#gF3*uwzNE8J}$gFn1<#IFTuRJI8<*SbbN&|Rvhov!g+`Br#Z9PE~J{ob%M zxRLQRss5(J29yOuVWf9=6C>Wt$!u|(ltALV;x8KD#c6yi5rwW>#KvoR51dC80NqiP zMgO`pXIyDvg$0z$=qxMWT)O^=&nCQ6?Sl@Akq=)Hp%P02xQn(W2q?_PpuVnKlYG9r z+*Y(Dg*X*6tnvfoTL^Rw-^1>L(;HqEHFU?*LyK4X^X!$Fgh&-~>1AY_myOrM1cM?Y zF0a75v{rg%#)-@;jD!Xf4ZjhFOP!5zJtYFqKNJDoF2Wfa+iUIaep7hOHbm5|v-Z=is7#7HEtrz0@(xSGWjQg3e;6imjS%{c)q9CpV_Zf0C--m6zFbd=Wb;Ov>5Pl=SHype8YCD7xehf zJsP!58S%4+L+3XH+)r(*Np@)J-FaYW?%ZDn7ZN8j9(f(-Z0xyxs0oPx*R2fb@|zkf z-Zf3#B7Zr}NN{|AC6TJy8uT`h$Isnae}}>baUR zLo_2=at)rP4B(anT_2%3Wu^UXQUks8V>M>J0YTCD;WgGFWml)*Kg#HoH+$tnL$r~e z_2AIK_Oj^;NMtBb{U|)%x8s#x&#Y7|fcttCKsOm;42{zwPuWrbjf9WJ4LTpUZ#`3l zwsB-Vd^IVAjrA0nr^?Bc^zOSyrvb8Dng6NE|U#$Y`W{Cmn`Hby|cl|VP>*r94j z|56V(8R0$~o_eRI%^*4-bP1ZNiR zup9#NIyR63H%y@kNynrBi6ZS-6OApkv~69vK~0KoFUlw&ZAj1@c>b&g=-#Mw@yM86 zf?>7aB)8o8Y!P$Vm9kHlokm}VK+n!^-%xWJz~H5=XBF2eUGF^7{;^-YvXa}?Ur)P! zxCM1Y0{2^Lfo?R-2*zbyI-pzV3zf%$o$S`m*iBLk=8Do7$0JFjikv9; zHn**K@;e_L)Mh9>@%b0nyAok?ePW?t4THinMKUqi@&uHTPq4uA8udW;gDi1M-5+s@ z5w5cFWH}Rz*0euq?UDJ%mS^9J<-gs9usY8m%PNqr%+{>kZyK zD!-Xh@}0RCP3u0SL@>Udl=HG&{tv)y1iIP$-0;v6a0__~L1y0aXa}%c2r^fPvIGe} zcg_f-g%sruol}a!ihk2^w;jTsfvVo5m)>8{Q?K>ikFN@uZtVeX6VP1oFz1%pmlEsWR7UIvIkoq4gcW$G=0Zl!VE^;bUs+S z<^{XG8#UP?KILuP6WdjqAE*ng_q7Av4s%Gfqi=CL=*=p=BpZtSbiamz5U|pdejgsA ztJ8RYl_~$hN2~M`UrRZ>cdSNd$iH40dq;r$8PinLCi1%tupZR`bk7h1p`t3O?ez73 z?Jv;Ki|W(J!J2UxKWGX4im$cJH(fR~+h`JYuFFNN5*qxZ!A9eCY@%D64|A471M~B? z0v*r}oj}(mxK>clN}*E4SijcElk0;X<4nH$b<8@a20KjshB|ql%dfnxLu~cp=565s zZ;^1dDMRYfki@eY$)^L%uV#6(39jS$@+f3;)EjB1JfOB0Aj>iHil7ny20h>6ar4`*2mk zeO<%<<-=z*i5mi_Prv+=x?%zO{s6kBytMGmT;@_K47+N9<;$`zw;ibTH;&lH>zJ)( z2OuJirtu%SVM+Z=e#_TH)O3}*zD{M{PwHRVS>W}UNQ=w?ZZFVfQNJd@@##U1p2w5w z?f28ADZ}jEidlV#CqgAzcV&Q-*Y)r&iPkr5xdnKi)g{_mg9rq}~Sl%+HfF z5%l_aRs>L8hdm{yIb za@zK&{%!LFehI=>YB-0_>cU2&WzZ&7R;WMOv*|q+GK3aMAp<`(v{(%o;!ID*Y>oUf2v@IG62#xbGr7 z-RvE02RaOKV{t-c2`m%vy!{~1O%LR~EFj+@pv(WsIK)oaHgwgyi$;va zTBYc>_|JmDNCw(&m{VMRpTLuY*@vPJ^l)WSVe+_Rs2DP!G1l1;hSsuiw15ytZA^eW z40O=~_5IQ==7<{U&6!S&EDNMa70{5@Ed904b0-ALFSh1BqLbTVfAZ$;v#%ha{LW_O z=v}#6CpXe{gAuJ9o8JX+M}V&KF}_~}ME%&q&xPE5T+zH#`Z>>b@ z{Yu@0(EAelGk}}(4&aUhUH#3y=5l-&-Dc!{24&I4kQ2Rh!4uT?^y66J8}_&IM7`d# zmZG9wK3IyFF}SV2$41Tkxd|OUcTOm~z1YFdc~oNGjEp|hdFHLm-XQR7^Thuii9mX%Ro{Lno4LMZ_51klA{ z3)Vfs$R)T~S_A+5%{$dUjo6us{Y(_j2`P@;Xam!7m_ola5j;!W(bk;n=v4OBRA4@# z|0zi}zw~+27zKEKauVp07-Us2f2?^w;P%ehhPxF8-pE1+@9~0eLN2vm!;=R~(UWLL zG0~7~@&lO71=w))nNJNTt3&JuIHJ)#eS6jzK)%0$uH>x?c7&+l#Mn@n(2Gm4+W#d(afnN0ZF$Pb@F8kce(T;?oAWwWw^ zPy^+ytl5;FT>}otcN*w^vY%cPz$K1Q4<9-YzYxtyWNNEG4XJGN(>W25#n?uCl757= z!sdIvt8N6bF?F6oFWIqnDw_BE(T@$|_RHdsB-4E~&gn9+!J(bbaj z>eo#&xnr4_DBC#+dj9;p4#&z^EN+IZH5VBL*G;=)6HB@z4zuQ$-{uD+0CyJX3Q4ph zoYG^93JJ2rpro8rFk3Ty)ahzHqIu7Je-p@JQHeu+bOo&gN)ZP;^LiuTLZzR5W%vwh zpK2&gHZVB%++D143Rfcb6#Xn^oAC-2zD9j zPutv<5@VlAbWd@}v%c^=Ya&J}z?sP^0rQ;)x|MAom=RWP)T`SP65ST+P)~3yP@gQ2 z7xmY{FFHiqEBKlljq6x7-bC0}<`faEN7`#*+r3AmR&>}QpuZtO$_2E;0?-xRp_`jZ z5gx|D{UH7M9@g3@4j!86yZvb|{#@((`-_;&1P+lQA62FfxA<~m{Yu}9`1$|idfZ%e5T2av~k|N1Yb!fL@>%ojQl5FC5G~7rT zTsWRHKETI*Y9L54_t2ed5keJe{qw}a$io{!bP%fJ>TY*qT3zdHEU>8fO3 zo$+UKh`g`w4}Zn22XH5bo#Y_Dnc0=VM@bFLV_M1s|1gR5lbRznPZrP)%RqMkg%aC6 zK&16HV7;o2l@&9FmQhj{kE~4yFXGYF^vB@<9pLd=`gfqd<#3 z=D?49APL}etSdm*rGDQ*150KoY2t|yH$}(6eD7*;QT1o#=&)Ko!K$`&Me4+nbRa~G zM%}@8+%z>+u&lN$_rbb;+n{bRgA5s9y>AuhQdP9cwv=^LwX)>J>``QkTHaq9G!;q) zVF}h~6$+r2%Bn$g<(@t$9!nUyLNGt&7IB7FKg|R_R?cB%e%~0b2DHN((EW%HJ?v<< zPrJs^R+NTigsLQfH-wQBFE@;+D?Rl4hXSNBef&i|MnTbxrqd$6s@|_?P8F3xIPl^=_%>OZb`GTwuVu_$$&Z1D}|k z7nhfFBmnn8==0V2e9gs8x2K31%io*!|5;~k09~P&6nW3N`1pvmAefK&ETuK|DjV%a zXrf-08%)9{_2d+gJR__u1I~iq%lQ7V{+UiWvzY8*YuE5-V>(PDV^svWn?P5PR&QZW zx8gy|^(j}1Zx}+|H-mj_YMmbi?pij@pg<^Q^F4@u*vM5-gh^f`hYEJt-|6a2%o=mj zFuJtWk2!sSy9IPPdLT_o^x(mpq`t=O3n76KaBqjgW$$C~a69J5eP1Xm5jHa>r3(DJ3}n(aL~*;Ko9`M|)R3T{h$ z1zXz+$y-1>>;hf&)md7@)At>>sCs5Di@|^2U6k*SkOJ4w(=9EjYSc_h3qrW(P(}Ot zW7^ov>grC8i`1!vG5}(FaGvJF@qO4kfV&5DO&p}F-}rBQ_3l-U)VSJM&~1?cs|eUa zP)jFb^-0XbmTyQE6MJ*IUm{&FXm9a%$HHME9!Is?>`(moECC)ju>bx6x{xb*uQyOiM zz)c513EXel2fEr;&utb#T3_4er18G!fq%S)h}$vI!IJ0ul;ZwF)%rauX*6DVKidVG zkFi1s$yeMqf%1m?46EuP9{DD_`pZB-I~)MrarIo6MvL8>(r@I(dXQyw3w@cPyf>c2(ig}8sQCmLEG9k{>$%oVnb5yn{cdFJQ0G=O^ubl;h)Ojl+e zp_-%OL0L1Mz*&1G8H}?O@^^?7oPHgG!LelZy{rN;|(dn?Aqc+tSgBJ zj>o|qHZb2KpgUPiR*^u&&w>QQkZ9jm4_T7NOpjXv)iDYt`qWBlJ0BlI{V>}{blS!c z?ukquFFJH88J1MJ5B04ff{do<-2ouqW1w3s4AD#Wb^WmdM?wub^7k0#0Eg{O4Rv%R zO$;WV&!H2QqK1IPg@N+~D>a`ozvu0wON4t+fZ>>9Gnndca{(xTdjfQ0s9GcgyDJ(9eK8|Clk1%_58dZU#p_o64 zQ_qktRVlDrQDFM9OZu!<`)L(%?C>pz90IWR~xcna)6h zc;F`D-9!n;Hp5!}_*DgM)jr2TTF4|Ru}aJ4N+$(@W`Kpw1TU=^jYtsni`b7)CyBNx zsz^Y-7eE&k*^AM%_yU|jfFqhvEXm8t{j7)(pZr*z!vl}u0tIVX5bP1uA{3WW)Yp}$_#G?^3qo`_?W>+C zz`X{#+w)sTiDBA54dBa%HH#nggUf$aHx+UzYV!L#2rto49L`BpMGxw`1Z-GW&nPX+ zU}g1MZrsP)5TJ;y2U8~%1Kb;+Yn6yhNjOv&O%mBID!FmqFJJwe$F5q&IRcV~A89vaK7Fyw$+l_w2Qx;NCBnsr$2Cm=k zfUfCv%UL12p8AeB(4r?Qc-LBm7y;wM&isFPo_rDef>c zTV{AIWT+mfw4riLl$|<^u>ko#0o^k)VNa67F>LeFKfELq6r*>R+*(NRQk7$jVYlg@ zY*J*nqSBbJ@n+#zbOpcM@;r9reB30wN0neUxh`Cl|KtvEpMmZLe81_h>43qNBKo^+ z!T^)?-QHYrl$#4=9*`Gtgeq$htWz7M!aIfTfoG0j;C#foFLr%Jdiqp9-T>iS=x z)&;-W?16uden(t>Cn@#b1zG`k{_JH<`x+o~+T*kkxnpY~ksT(mHE`v41!5?92WRjK zBUFsi=&H=i^<#WCUfjF`TCWmCdtq>GhL_X0v=!9`8#m8EA@i8+w z`%A8vJ%<-jUsif=PW{4zb@4*NFBTKNB|yF)psOk?UP0XflF7eo;c-d`^{B0lFp8I8 z`eA9kflku7$@lS!^;m;{clq%YaYe0iPkax8j2t$Zl|Ay79(}sO9$43S8AD$KlvTE^ zjiDUo+>Dgc;e%V_L}eeIgULWub?#ik(x~`zU*3|xg#>-jq3;tOZ?l+9E)wa^B2wleM*lH`?I4yLu|Nlnbhxpnd}nmzMJBnWtl1cYrXCdz0^Qo z12ojd*EiEuGG9@*dSwdTxU#(WNlmSq(4Zs&cMJ8l_)v^7&Knjt&R0#kKUDKeMGc`0 z`VXVeP7{<3VJx0s3W4(yIG}65hi@{UJRg~hTc$gV4>O;~kOC$!9~M>a9ooMj7^$+H zqfVTK^k=Hfi+gZiFlg!A+7WS?`qB;6aw3nYMsVAeO{v^lQH7Pc;pNfwRX!QDj3I5+o9j% z?)wn5Z`Hvh#Tiarud6PjHO_zJjnrj)YcuniDEmbv_yDZ$paNZoXKuu?*&`-nJ}7Ki zHM`wUF0j(0!KLQ&l|s}i3Gv@=NirVaA%8KQ6XrxVd+5nfP`%#U&YcO{RS(g#2QLJU z$7n#eTd$A;_TGjju9;-8kaN2Q*xg2V zWMY+lz;(dOp3ZB4jt0NiqMM>MfYy}QA=6f&mZd|(a4WE zmPj?MkuYp-ho8)X_k??qYI6a3==A39>K`=t_xE z-=qG0Bjnwm-7t2noGLvW_vpnERMhtJ?oZ%MlI>7-3l(ew@XFTFlUo{CnOVav3U ziyS&se{gJ$H5h?jg{=EAQ567OR)T*OO-mwCvX zRcE^K);-IAXd8%wiL178FHDdi;2}F4EC3aStrc?z?cfOYNXqE@u#?Hu9_}F@wO&8C z{&WBP4ln`G9k9Ej$<8P=p8w%`Sg}Ppv~JF>{GK$zn@X!N)hrpMo#ykkDdxBmD?^3q zW>6!ctG_U`B$lLVg;S}nJkoh{+JCOse=Z@=y|pQN{*8p(R)MaEsVEsVBpHR?E^>-- zA_q$?rQZaH!8ZNyXJUHC4b#=SE=y{8S z@l&4raY;eHLt0{h`||&5fYQiy?NS8NAb*({lYK(OE-}mz?En7f7v=kW<#%U&)x3z9 zxx}pftnSG9^7|xkl8Pl5r<3Q+-tKRozTzD;ul{@f0^+}XNr3LC*@9%Ed0di4OTJ1 zFW-Oe%QFbC0kWRbBk9a(@|INKqT=(sgn6)gYwv|#X$MWNRi z+wk%Lfy!C!3|bR;X-d^$w+YIM@ce%+7%b>7NCtEn6j@udA~r!G>GNfkpGajZR#28~ zAd1divRtdq1%}c!P}bJxqa-$&D`AggSy^E;I;Vo7|5W42etvsKN9pu3R)YWi3hRse z9_aFmG7xi^vNgwT zikG8nqRk`B>J!^Dy{LcBvGXFgH$~J)Y8ar3v?1$cqi$FalnK6&r*z#HuKys}b&q%4#nx&NC z?r1k~&^t$V(f{ZETgSfC3|<5DB!>1wZ%C7A6sEbo`**C+CyTm1CA&f0p{=JYQt({+ zR)OlZK1*2M(CAHeI`OIG$6$5vYRV4!Kg#2d5appm0Qcog$ZLR-kw$rXo&DV^yOSY* z9*#Sf+rj3N+?~XjRJ^&!_>nImIO{g3Q~rikMPy||^4ealckC?_MbVvNtOUa^rF`#_ ze@*b;ctH(x>tH;mb_QBly8l%AcS;S_^>_UEr6rR@k@SuCLL za)(o{b;we;+oY1%O|dREf zI0ncM#ht1O#x|a6$J7V;Ks`aKwSgt?knUgq{Wrcb0^R9)eA(2BN#|-?Z4YR?{SgQu zhkY-u>0*4gV59dHAjc;g}C=d*W`J4m8_>;*`y>KuxT%Sf&& z=$+vkp$c>sa$pNh?~BqO*KzG(j6|v79s~;VwW;!)>Y!+f7TabVJNZg-| zK`o$XDbSEn4zBycC-s+i8tWRRKKQj_QXtpBdN%A&xd~`X-9{B|iJnzz%CG?0)Zc83do+Y8&|9yyU-p*??}N(gxkhYr)UENzb$QAE z@`e4+We2(jH#5lDzY0&b<`#Z^U?)$;yD7bnqYB;2J58h_6>}mtf|POCD3;PBlcWrv z@9SG2_h}Mr)r=D{>Z}-64|kLO&;2*fa{%4o>WUO{7V1tN-99(c8kk2GLN&H7Oef9t z9IhIMma;=EUGjDsRe}^(ic4pFIek>Dp+$p&nN1!Y!J@VQ+<)Wd2cT`=$Vta zy=NG31iC%cxo$5EcgyAAstDv{%-^-%%S&;!Nu^-No5J8d2&LWF=8qigN+i1DKl=%Z z*Z-IA%Xs|q4Ebw-s*VT3bdll>;&6kJNDktebg$;((@P19%_*Ch=4a}bzfTS@)O_~g z@T$EsE6y0(E`Cq;-?#mg%*8riwClsZY$3&5+n_ho9TNhz= zLFI71{=mh(h!>Z>DL-_jj%M+9heRjiwxL^nMhRE&^3DD=8f;dj0j>;qB+vK%<@<88 ze7RS=1_-4-QdATPAJvu+?^Nv0ZKrrc-a%ATDNO)0sO6qjh(rb+f9Y40J!x2^|1LE_ zG25V z9*-T#bbr!U&Cd9qQyraY%Pl1kDrJ{N=6bcbO$Bmacll>|kLf_9Ha^{mr^`5zpttD#C@%He(zlHeZ2{vMdcXr?z z8B;Fzxm!;E7cQr4--_ z{a^09yPf&0r$@NimSL1AOWIS$8z}oJwjy*%&bcGT`k)OMf}SbSuWC>MBZRGnNy_i$ zrD-3KEa_Y1Mtan#^;ZF|Fwiyhx*$OiG(Jz|6o3_EO#l@mVPCO|2o~dgZ@xugYn?61 zvsQ~O?0d&Yn>nnJm|e$a_giCCUAjSOv8bKlPU~f@@>-u10lFN=7$KdQh~_*z%44gx zEXstYR=05!ZnLyd+0r4@2r0KA{RIIXCEME(=STaC=!A_E^lqVGhnVIn(5VQfZwdge zDA3&vkv}qs?Zw1qtwy%OCmw6Et14EI2tYDQ#pE&dpD>y#H1H>OzC?mS%;K$=a*(xc zO?+y-;5CUiovzj}NxK5LVn7$PR1cGo%-GEH>f)Q=qjx97!^S+WplTJ0BbPe+ zlS$TIq-lu^65UnhyT-d*$0-|I3;iynH6EOuD3^ctvw!_T9O&w(#%7IKcN+f*x5P9T znS-z#wpDRC&p?H=IPO!X*?EH(`nI3{7$H@DRV+zqMXL1AOz~GuvbXo`=11_ylZC+d z5J>>tc5z6)TJ;j&kI|BjHAU$bU(I@4VuH1I43I> zEA$riFC=;$PKi^`;?vIjo3H=N_ocS_8lcs|wd`2J`& zaII*7_K;oD(C)Ort+_Z+ZHq)bxh@R3Iu#8gLfZ(R`7JLA%9ugxSKM(-lW((@4g|P#Ha2yn>d1S z_Z203XkQ}Ah40NDbDT-p2d{zgl*MxhaDz?F%a)3T0c9F zvL)emn)qTU$RObF?Pbh=4NwqGBp#DqspCDN#ShXay8>SB5#p{%k-cX4tfWxo#Gd9I zU2^zM>CA1YxL@E25^U!!895vp1W+M%-kSRw0YQL#<$&%Z_3_#Q;{c?fN03+nzu8{E zH7@T&nZO^AhlT8}n0S3wy~-@Lqg{_lH^vX+@JwzryLs&l#!4qM2hD}(H~GZ?S03n& z7aJBiD7V)$!}ng+fIPLCYun1>ghUW`d&~~*;*Trs!(h$8QF+kr#(ppJQ7h#9eU*)| zK$$52tirCn9(T^a`oq8e`w8emP45oveXB(p#kTg3Bo@~YzNKHak5t-RvELXh!|9`4 zidlJnPg&pMG&TjwcTx!NE|2?=4;_opdO%sKLVfo#_Pk!Vm)h!UfZi?>fxUYg=<-S| zra#>vtfeWEq`r;A`|KIu`*iJK%Uk@#duXyI2W~%*xdSc7tB|R{hmz6ZLBN|+IY$nP z;op4yU%rY!m)v;Rw3NP;Gc?GKJYg|+G^aTMTr=wt8rO%+*2Ir({5v9Nn2O8U(WrQ3 z5DZ*>@g!1M|BZ05grWkdo=zt6rDpb;@5`Cp*8l}{DzZsNN%N3t%;4*VXHVwyrwNEu z{(>Ycoc>CQ(6-BbCU8UsYHh+cj}}KQAjV`6^UP;F+q5-dW)-3^qrL;U%0TycY)qTi zHnzIQo2RFyg|uY$%b3&*%E8WkD|4=Rqq_qWys1giX({RjQ!-JsK=^!^vinq>LiM>- zX{>=}(a&^%`*K$5H9()`2@!o5{l zA~Y_eE}vw%vo3qj2;&~h^UlS4wX2cNvgH}zssi1hE6KfWQX35GUr&i3hAUFAK$c2zpB_laCAF;#L?%rF#(BAR-+ROfb(C>6@xDUn6ie?0ylx7`W(R31iIP| zzdLExtIEyHd&ESZ72FooK;wv^n{u6KCe|t zi4L+M3L`0B3H_^k{`*~M0bS1qJdCr3k9Oh(_%8C^)gl?a?_uZ~^BqPs!&wz=)immt)m_WBg*OL&aHhTjWxfZOk6ld>$p?5ItdNyzj8Ts@%c=^AzA$9%=><%iipI3;wg zg^-vj1ShwOxHrfO4ZV%a$XzK#&C82FDz3NqXluZCk8O@fLWERUrZU0-&g%AWUHI?1 z=>y&Gns`MnA3jjKo{~F!l>kwxH9z;~tjNGa84Z-UM?OvysIykmgsTkjXv8k*i0N^f zPGLOMJ)%^pNE*9KKr{UTK%b|b70jb`}HomUsbu9!BB{!ZQBVhj+LNR16)I(%h)F%wk0C`AzWr%_~Zj( zv6-#7wxB4=BIvn@ej5KH=gML?^69Bgkgtf9`IzP2|`7OM<#z2>A0grZH;bp#k&nx5Uyft=Z39-}?vIyID6EB+3Tv-~4C+xF$fiyu$J(M&DBiB7j?1 z7u%Sk@xye0(H50zeHsEGqSsbmPPfM~wL#H(%zkJ-$oc+?SGK7Vfxx@&kc4U*QGUi7 z;F<#6xBklNa$*e*!=o?Nfh@wsh{-fAK;ukxJ;vB2e@WHcUP7vx%OlS!7jCuv&-jNjbqL9QBxi*LR*_f=<*Zd zzJ++_ML}MR$H+j}hFTy<&DmnmBZCf|MXd8qor4vx32MYGNU5Cz{W73pf)byoNkLi}ugp%JbK?B<1 zrFQZfptjI&^1MoyW?VC#w0l_>#>?5N=`8Mh-r4zGU!%d?xbl=PhsED zH2m5{4eKtmWOt}kMCj~K*t?xL9%;Ikl73|! z-WH|062Tu-33BA8z}wun5iI|i@?=PYk6>^OiE=;6DRSNLGKYM19e{2;re~*aXv_+X ziC=fUvW3|<-N3lnkpGXpFM+G6Yu`R46dF)chEgI_nkPj_rp%Ht8cvf`noWsBA(>02 z%rZwZgpy1tbB4+oA@dX&zw6#-pZA=%&VHWv_4hr`^L_ube=d8Ub?tSpd);fTdkuTH zwyCbaOWCq)&7q~KYqj4Q6#BGQO;$1W*HZbKnm=8+|LoLsuRP-w?_0dl5|c}7J;FmS za>87GtL-m89L<<8tx?dYiFd~|-)!14SJr3c%6A(!FWuZ>=v6^PCcDSmu;?zs$!}@=^r1N;kjMX=uoa?STs`|)i2k(QQE=(7bOLJx6A?N?xVVr&D zT?6;@r^nCS+p#2eujl!x1~PrZ?U#?cbj9xGa+fbl)CaqKnzgLG-XPV@-_{JXHPh=m z*R=e@AcfJNs*A+rMv2Rfe*7{}w_3xa{hP5r4E>c%Tz|ILIN`Vbwnrb2r=8}ko|94F z?p*!2S0v)Q_nE!;M6|wlBZW2@oA%mjjUReLOfEf>6drQ-)yr=tyXcje-ci4u z>Tma~$wBo-Po8x$-2d*lUgueULw7XXtkS(v^3J-LUdbWpcXXd@+4#O-6Xg<*gZY;F|C0l?jb?oZ2jZ*T^Yl z>$tidw7aTmjc#YKE@iuOp7Y??-47nv_iI0XGXsnIz1rD zxP|OGn->F&4Q_3}ePC(Fs9Q=+b*tlJcJ7|M>*R(WgFMEKvQf8IF%y#;EiQLUPN4_? zMW%vjM&rrvQWAB?IH_KjS5~bK6-W6$R1TfE za<=Zrq8of7cA|oS{%Rq_@Rni@5Jb?JGGpTRtHpcdS~8q?4j1Sr)4kS+5D<$ zwgHV9gnozmP~joBVY}0b@_Idnz4_7U+=S-E{SL;=@HjcO|BeIPV z*&9kOZ<^P(jdRn&nM>>!n$*8PZ0msd<|p^>J18c1wz%9Gc0p?m0~{|L`kZnzcS&Z_ z=fl0a1wPyuy>fHTxi+cW5_*?gIu$9s%ziN{U15z$>JjT^Jv+~7e7ezwzkZocSce%iK4#onaB1DTZFdu@cda@QzkJ_^7C(G~Hz>L~pA1fUD<(HiT<*=U zya#2S3RO&}^i!!^IC@UV*4?XLtl5|LK>h8Qh+fV87BA5qY=<|cE-zOZu6$F=(S7o@ zO{r5)-x_5$%&lsDuDG9^D=s%LxvOF1#sd9a`PGg~oUd12c-PkfXB-hZn@O39N7`v>EGJaDP&s95j0bJoJ!*Iea#ENwZr$I89Y zXDWY)*@4#RgooUaI`W&2j(O|lo3c6lXL;S>na|S}oEmXWy=>2-p&h>!guE-%QkZ&p z`?@=;of~?aR~?+{ply|x;DA#a+qg3hP6HxLk`MnSyye`dr?}f7)i@ou{8y zR9g@EU~6rgvCUIutM%N9DYtD`>zVo}Es7qbJbi`1(Xtys3le@z>*`(dYTW&54e@z5 z`Ap#7mL&fr9ojr7cWja8m`VKxeo5Vbbzj;1?~fg# z9gFuZ*du0#MdEUQWBpAMm%AsvQfUH?g0?KHZrg zt5dwzsf?VmKvnO|g+^AoFIEg~`^n%&dhjk+pSZaBx5U@a7K_XEt~AP;bL2v?QvS|o zp>H=Ib8C6HZ~DgGqs!$cJfH2Dusi$Y%%p-mxvITe3cK)IMzu(;+bnO<%pNmy#O7-ajZ?m!S{IeR+0^^3e1QYNt?~lWA=C->-6G$=V_50w%66fK78k14N%t+(|3iq+@P_> z?%5e51EQ5G_a?|Jc01fqHfw&d+L&}}+ZK7Z9AmzzF2DbvOH98eat=_3>xBH?&??kcyV~8y7}hrFS_~8&06qb z)7uXZ&Nk?r=W@2s$7=yHZ&c#Ds|B|X?=z^RbRBQgH(N2e$>MTPpPg57{=vZ$&Q&9K zD4m~kYTcG;(O*_sdNrO|-ZwWpOrY@`xH1`x9azCnj={KnVNZ+t*-ifw{hXmExrBFYK*L?ZitKm~+_MTThbVuuT zXdO%Maf^Gud%q~xP3PLnyK`2I+u`#iu)RZ4D$#ycXuOHXff5R&dtw&Ex3?kyUy2=C>_WT5U6Uy`g-`w5zwa ziOEeBm-|w!!HlRT#^=orZ4GquPu=`{r-A3CX!$S6rAvH{4AD#oTIQTpFt6pkrFTM` z%zpGiBVtCZ>Gth1iisP1Iyt9rtrU~HT3l}3sYg<`*{!@$Viny|Y0I7oyAtDO*7?3x z;imeeaAnot+4ASs9H?H_VCdcHnd7eRUT>3lw&+{c$hqcI4x95P6pzUkdtYvixLmKE zzAYC|t}{ut)FgCXn*4(gU!1ZQUbHkWZ?bZ#*Dxn9m&|)(A6eC}%DGpf@3{Ef#WBfq zXCIT@KP0C*=~F;XY%4}z!TWM+#pO=Xo!mw{@a^>0!+XuWH~#!Z8+nb4__p`1?bg)k zJ0jR;hgZWbuJ;piMvYr@Y2A$P78fSZE!$-_z1`Kc$jj%4&$nyN$Q8UVN6#{ZhaBIb zD@q`mI-w-cjp>{pE?2!W+MH2zKIc_7<%00igAFgoZ$gn=Uy*@N|dNgdzBrUts3%3-M#m|`2o{`JEzQfxnE_c!R9rN>N zRoIwczdQcbsl0uS73H4|O6dG{>*eYTO*2a7FP_=aXxAEf{Y;0_jw>VDm)~8e;-yoy zKYIJMv)zl9EG}f^(pxq>-X?LmP7e;->nf{#d8D<)SiZrmqMfrw*`*Dv`nX;#bzcwP zG_QnjWsOf|RkeI!+RI#i*xj=`qaWX$>bhY`ikV^Qy=I-evHH?`ZJWjAe(EseM#h`( z1;NI;AqO4a=GiAN96j0ixao&rC9RSHF1%+w_D$9@v{2UC>w6*7YViDtA428qH`HH{ z^CPmXx_x9rfn4VOzAfT%#}>_Mc2ee2_uzX6!-@vVj{Br_n743GYJl<3weE>4kC-1S z=&W>O^1!(rW}a!XEM+R!@_gt8EZs&kH1ApxF+GLRKrBEKCs=aa6a7Fn6b&Pbf2PwWTK0Ii?bA9J;~i!^rRHe77`TtE3-?6P4d z2F3MGj2tua-WRu@A(7pue=qD~>nj+S2;T48AuhLka?{5drCU|pV%zU9JaMkLqW!I( z=O=i2U$XLu*!$*6H@VxLns;`wJvt*%t!bQ-VqdS!_hB6yZ}hcu`t;pw%TY~6U%~r* zJH_RGZjdPh53+*)Z2b@(Lp`xBV_P)6xH8d;&M+oM7D{q(zdmVEpvS_b%Xsvm&Mmx zzuR2!B>A~tqh&=FKW8?JJs34-?atR#^%w0=cyP-#!Z9~`L2`?^FAo?OC*(151@HIm z7MGivnRe(%k9h-6dp_-{Jp65fUA$JON$Yn$NqpYEYg|vu3HNM$wVe-M$;oT=`2DD9 zh7*!MMnvlMD|We=K1M}HyX|L2uHgMX8Vd^#x#4&9Lt7q=R9|m3to7!WGvn>YX)Qgr zy>!5|N!hx6w+(3i{K5s#NBLgmwi69{JH7RM$E*5&@6+Ke`Z~oO>qpc{Eob#553yHV zt`e`rziYiH_a66SZRte+ z0ZH>d3>!DAB4%QRyjtHXCstpQyH8y1s&sO&ZFsHs z(y{Glxx5ZoKU22PL|W4!zfN-LnVImAo1OjotzVg@@zwJVo>pb^#+F8h>^4}hR;t|c z$mZ3d#v8V#E_)lL5EB>Rs{7Jn#lVRtQ`;%=J}q8jw7lQM zxjMrJ9gJGK_0%N(=*uS}2Pr5nyIi5XS>0gJmGSEiY#C&)*T!tuqjx&(w)vL2ZrGO? z-NApYg4#h9t39rQbwt7YeVO8NyJWvwe|`NM6HhI^;r6`^vO^y2c=)~V(r?yT7K4_J zTCDi_tIQ!AnQ0+zD#;h_See<*G#=yrt|Xz!Ih*xas`u0CLY8pcM{6>|L(b>hM(58z zmRtC!9~lvq7T?}7esN;w39q|^6^wdt*xK3l^t8B}1}+PVEpHAByf63t^5jC7D(^n> z9iJ?U&}(OL)>=$%mbl!;ck$W6^P#~jdR5Cgu86%fuW#zh|x5DAQoq)}I+O%7*nfcNCvz9TAt?&ujj<{RL{7J1dV)I`&hi=vYSE6Y`xK zEc%dQdB?$gpN-SXSJPeB_q_S@+}-N2mpA&wxeo80UAQo$!-|CW^))*=i0OM&Ty9n5 zibb>bmUa*JxSaGeo;kPVWLlB>nr7xk8ZEPTf7QAb+{i1V_Y5b4moKvB ztdA&uJ2u5>#S_QndInE!`Hek3^}KbXVV?`%KS?Y0+__}UH8Huz#O01lJaS>p(422_ z8+V;LA70orrf#%TpUdA5UD^sK4kG)zDdvh&@2?uYmM*ndNh zrh6t`S^i`HjT`kw#-@Hwc;(U7X`F-Wrt`TsHg0WMxS;;$6+M)O4Vo91CMK8062e2S z@pT8^Mw@S+mb+PJ{Vf~0d3OFb4Nu$7>8pDEsKtwfYeUj+A6n?N*g^YNVTtz5rXjNr zZx3Gg_MC%`_cQDMx7W`Te||xIsPK>*)u(F5*wH<%9gf{p`MBt~hE=oXc5B~t>i^#S z@%$9IhW6*D=IX>h+WBB=zW76_Z1X|_L+Lq7`r^Mw(7Q2n> z+N6D!o9%|=XRRI024v+e{V~P!Y1;m-kNb^S@0&Mh#P$qFxwtx2Hy1|U@iRUfGT8K8 zyDwMuhd=QR8-DnznB07Exz}158+1qy+t6b{>6W=w8dDCp?CO4PvCHro1NIf#ZT7ou zuzXk3hcWFGP4e}RJl@r%kw)_2`p*p37wq9zd3xl!kuMkOds!IAcTkDm%L+I6h` z%pHv@=L|d5Ur{Bi%hr%>{Y+yAT=d*hF-(1c^^S`cyIaiB+&^Gm#Mk$}x0)P{xUBJf z`ZxcAFfqAj#O2Ohouc-0SxUa?g!v{*XWl*TJ3#ZXS;ONW!p8FS17wCzE>8QFx@`QJ zV=LNK8V>C^KCAWN?`d~*?s#n<~ocCq!mpSz__4DgRq3IcF?k~f8CoAsPc_g0{I74eu-M*$<+ZUMZKR?q*;2#9@ z*mL4?KPKGIzgh2|+gFWw0Rx{McD>hl+M~w`4;{ND$mRC2Z@j%}MbWLPmaRI~by(a` z;eg#Ew--wkZ=W5yvcT6qzG#w+1=9}!f zcsg@JVV$Is)|O)%q&1zr_Vc@@^R-qa9lLrm`9;#MIeSK17ATJTWXbCs{iU~H+$R`U z(;QKF$lX)c@rqfvL{7=7e|*Tduhojqc8`zFS*P^KvAj-?tKGf^cH9+twMqN*OvUd#HubQ-nz&_|+2O<(Kj*U=EBWe%#ZRgkxq|Wf zMRB<|zD;b&_r6ghY@>hnlifdjtL<5p z{<@vMu5oj$o3d8dUoSaz*@};hT*2S5(%O{pkeg^zot6M|ome1V1c*HZK z_5<~e9!)L3B)Hx-?RjO-_{u9UUvAu-t9M&|xR_k>ZNfut z+Jqqw$0#gyUiO_vEjFXBAn{m`vy=uZzoVqjZg5 zqM4rg!=U5Pxk|Q+B3xFg#g-~<>>kt7J@TwfvuWeU%pC0NKKW6d11mlR`_Dg~(A)g^ z-WL@I&v<{>&@kqnnA~DCYzz%8ALPvAgh)^BX(;;BY>ahP_sO#GOs|`1EpR)B?Y10Zbiur&{xP4S2kmBAk_Q{#9B3w0P8h+vxCk4gaBeBK>x?71;j&mhC8w zH+p|wu5_P=U!c(>>EPnG6$RP!ZpVLa{rhbhl?swtKxzT01*8^`T0m+6sRg7KkXqnx zwg8R2$GiU8*qh?^AIak>|3l}Ef3sS*RTF-#jDDLEQbB*a1*jg(@#parrS0u+ zFAJ#x|8omaeO3+U@f4)>`G0QA-yng?BXH`UuYvxCr2d~0LC@l7uTt@6a%8Ko(f@mV zG3C8c4IAL+Z$0Q43qRB&+%LdOI^OxMmi^x&jM`<{0v->Kqho$Yu1Vga#NYR9o8;Ae zH$_s|@6cT;#Dre~-wSd$DQVU2eAhm$h0#XY|Eg-dk)B;iqNG%|>fYbs~3rH;> zwSd$DQVU2eAhm$h0#XY|Eg-dk)B;iqNG%|>fYbs~3rH;>wSd$DQVU2eAhm$h0#XY| zEg-dk)B;iqNG%|>fYbs~3rH;>wSd$DQVU2eAhm$h0#XY|Eg-dk)B;iqNG%|>fYbs~ z3rH;>wSd$DQVU2eAhm$h0#XY|Eg-dk)B;iqNG%|>fYbs~3rH;>wSd$DQVU2eAhm$h z0#XY|E$~0KfWuY6#?LQ`1?L8Keu1H3?g0Tt0YRP@gLERfdc>?JK6i1;5v&5!8eE5FtSq~8@8JbQ^oI7Y}g()413P=HbXGU z-it7GoSOkj2q1f$K^UDWd_3KRqks)-j_U=urhH#y&r}u*+3OOV@sFno^Z>{fr3fH- zR6gecI_|OewZye6kvQ(NVXbgIhz)zdhEX}D;hNHah%=QrmE%S>>=ApPHo~YJ=)T8n zSQ}hZIZ#*y8>WM6vM+@_VZ(HBP4$lQ^OOy1i|b;5bbrQ%;q%M9p3sls(m7wCG zc1Z1x+8MPgYDd&=sGU&#pt7fWPxYMYHPvIPw^UE5UQ#`zdPnt)%7N@o^@eOs^@8k6 zCb zupLMTYycC$6fg%m5g^+DXpd`spaY-_v<1FHw;#YyKnK6I0BxWJ&=P0{GzOXgx{#rS zb6ubwAP*=24S=VJpNjKpU=}bNhy~^Vall+)9uN;C0P}$bz(ODqSOg>ii-9G;QeYXd z99RLY1d@RiU=hSOI!~KA;6?0_uP&P#=&76o9kP^&CJxzW}%Z6aq!S zaL9B4$oG!~#sC8W^85Qy#s`2*;2@9%90CplM}VV1HgF6$4x9jTfL!1tP#1M0iqgQf z3*ZWj1X>}yHP9Al2dsgPeQ}>R&OU%Izz6yP{Q+lS05A|31Plg-07HRcz;M6?7y-Bf zJD|HIUD9 z1a1KrflI(;z!7l+aSj4}088X80`UR>FTevB1-Juaf$_j-z#8$4aej$78n{*k+TeFX zpf2zY;dg;Mz-{0PU<28YzNYT-9Q%L2lxY3NbeJ{09Xk0fLuGs?+k8}H544DRO05$?NM%fH(0k#3#fgJ#iKWfUP@kc-8t0!_M}Z^23Sc65>X#F6-5ns`K;=PwO=E!i9c6&ZM-gZQkk26BQ6H!WP~EQs zP&<$TcmVlN@}uNWzXCL7pn4|EE7d!yf91df;69KGTm;SnfoQBGv@6LY`ShE{Q4Ik#pb4N1GzOFa;^|%*TT!_1xA?Ux!kgCMNk^e9@i@)J zWC+74AHr+lne?V>ssln@>AqGH!i8}tzmj-i7|9_Sbe~WUarr_yZEM`8i{CYM5ymH( z!gy2{R{<%&5@0cq1jGSzfZ4z-AO@HUOaY>RNdVR5Fdzg70{j6Vz#Y&B#sXsi6Tleg z1at&C07gJ(Kzuwp48Lsv8he@n7Jw;W&i)pTN4wy+Ezk!T0t^BM0=)n`fc#%Kz#ixd zbO#&&`rQ+71O@;UpT!fB--l)a9`IUFFn5*GnX2c`itfM{SQ z5DUx(76I|VJYX(B+Lwx zeZ+5J&)aa`4UoKjz(L?Ra2PlQ2zAKD^--WMK%6j~ep6i}{pp^Dz%k$ykOv6wqu+Eb z{7vVx62gRh5x7E@r|YZ0CH6Pjj?%geGyoI;VLS@I!iG~A{ib__*LQJE{5_xyC6L<_f0@ML^ z8Sf{>rE;XWbPwIz9MA=7-a}kXJ5Zcf67HqAB%9($;$I>BB|!1@0Aadx?+f5LPzlsb zk9Z0r*+O2JPR)B?v-eT{-U4q}P+lp`j{v3n0eBCPU24jpd+8o7t_qwm4cpgBOY9B}RibOr1IJD>|dYd1E4HDCo;0v3QdKx-1Ten#tPwB|x< zLq-6t4;cWRfR4aYU+8`rePH3S$83;>*gUVuF~N1SKj+#lzDKwqE_ z&>L`KuZ6z{;3*pOb2EH(Lf9k3s4;5=K?(evV9^z;c-Zp zY_kB@^MQCE0ayr79_ijifH01D*$HKk%sBvY%K<89;+6rVBiWhcQXQassod!vN}s|H z0|$ZCKq{~bSP7^CDWn513m`qIeYgYqz!HG;Pr-eQah?h!<2nRqD*Gs43J?bP1FL`_ zzz1*x^l@({Z~)j3WB~hsy}%w|H?RxX3G4vUf$hLHU@Nc%*bHm}HUb-fG+;fj4p zL{G<6aTok{OtZS9S`BO!dtP3~&Bn;a$XGB+ftQQ zO3|F+G~T%=zA`olj2VPM11fWpR%N&^W^l!wNQz@@WNu_?%nuFl3j}>+c+9lDD%(GU zVYOa>IPm8&Bf?%y8TC``l)Ov~LP*=qIKy+td|CQo%@~!6UWh}&Y*3d1f;`*P_AoIp=koz|UvC-?#te*!2{Sh&Td&uPG3XS>_W%QIM@u38s+xV&UR`?Rd#DO%ysJ|)VEV~|mb%e*@BeIkZQ*!lC1;_?TRvumY zUNtlUV`5}V7S#fSo;7B0`Juzc*+*M3400ssCy05sswA&)hv!?CK^*dq80o~UIvg|j zf?3W75iMk)Om~-V(gohFKn)+ufoJ(w0?~^7$L>nb2_`W^3M0~Y#c~a zK=sF1CT6?A?D@k!v}ni1L4N2-3)SnGW3Ju?Z|kIs;#hz|{~j~K`>{;ir0UNM!`N*& z8z)RL;`^dFPuVyZ^?M$;cssO%D4ic* z(7t1)%_zO(qk49SC{7bhD=8hfD5p#B9#wV`G5TOA&f()9e#kmts1$nFpVZOAR_hAO zm8(EQcJOe_bsFe)6JEnZh zotTDTSi5;n@|sADn)AK;XUw+vG3gjnTkvuZ;~RPhhT1P(pIILr;=1yNX%g?$(NSUHvXI(oBt@^&>FktMYlzhP_Ml=>!Je#S*oL zo|Kb6@XT7btecFTEWylUsK+7UwS~X_Sx&^Tb>Qan3z%XyI^RE44;z zBltcOUPC#72Gg2%`QkTkxVI<{Jtb2{9Ea^jCad438H2GhvY>?MSud6Lt(@K0zn47E z1Vh$=-=U|)lunndIK%Qc!HvPd&}8cnzNfEyNLZ+`^O;)_x?VnlIHquYp+SLxe00w* zZiO1n4Q+7{jETTs_k}d_mV5ZgO5YQ&wqfE}Kp68hm3-CYx>NeQzrC@JiG#9(e{&BH zpz?|G&DT+u=LLf?h8KfwQ-i#S;2Bz$Kkw~0^CTEEBU3XYYc5ZLdQj7%Dl+Gx6VIzCu_U7c6zmX%8*mI&rzj-Vuy$(15J-?(s__fwvqPy!S_&9ya~Cw=4uJUBMMb6~Lg;V?sGNjj7ZFpt9%Mnj5$>&B z--L_%8+U_#m$agQ(j;H3I`${7)Zkw(~*U_Q^LDy&h%Da)21KWNz0vTRX7 zskHM~8=w9>TV4;0DO?CV(hxA@M@zjt`Y7Z%v}PElrwzmC$pczAt-rHlqk1;=bL0aS~CN63`n4)PQU zd(BlG%{wHs(vXfs-I$6{({3sQuw_ZNc0qp2LEMgb6E7xZNQzM)u`0ku#V=z^Yx~k8-o5+*iLJg zoUmopwl!BP`A^y$w@>`5G~o7C+#38|@4{_^VQ6sV{nLj`_UxrxHSa$upWmw+w+*=K z0e8Rf_vhzVG~muDcgbjEnJOIktxIwgGNC5O$2>?OS2}{dY9X-MW2PSI`#GLAwGzOQOaqZn?sU^ z=r9a3+VJ!Zn&{^RK6n1O7Tr42Opn%TFj}{UG+NupP;C7uAu-($46Qj}eBc!j!AQ%Q z?R8*hYJZIRnDI5@^gtZyPffaQ)|(#NSd)>)j5hj%q0z>=x!FCpe^=TH1~W5~<`-&6 z%Qd{nIo=gUgTgJqn1g{df4?w4N+@B?4Oh7ljdGcEOlep%f=wr?rQhWT@ow+Hu;ZQa zU`Xrdlk!)Od@|$$E6oDwfT0n}^m^k~+b`TgGkzLz!8(y(NVoYR{>R7ldxlY(keSU& z3r*0ppN#i_Yk1cp|NOwD);*>sG9F0ERkK7;auwI|X#m6g^aedfJAPY%-D znR1FT>}D`jf`h709XuxIkt$*ivC>BE)U8yEi#P^`?1ng}!7$^*J&`?{$T&_DGA5YI zga!pf@Ok+R$;5ax;?THvYN?h= zp{L;#VqgMGteDbrFpjH3ugAR|8Qv2Nrl5>P{X#H*59Q5#^?Zt5zh>*%bdb}DkfsW0 zl|wwI4PKxh4F(pVbv{!BQ^{?qit-w!bViX$htbU*44$~g3{AMPr}fBw4MfuVv2p5t z@_JNRoagP<7hbnat7u7W!>nluR*uB&_< z(qI6}&l@mgw_HuVdfDSA+-DhBw3=nKWFNW>dG(5B$XMm0vE?McK)+!3(9qC&i)VPI z*hYcDY6z8rET&&H1KZK)#*d#pi_O8XS~o{9*&t43Y(T&qnKcY!0(0{`z>o%S@@E9E zxmk#r5tR>>cI|W~;$B*Jn~O?7YYwAwUe#T5_oY7K(6kMuPzr|HkL!@@1IE2O|3IXH z4<>+Q>vcPpK5wRWH4cn5;y~*#Fl3$WQ+@=QrM2iT$CMmn9!w3%vfl$__66%WmLLu_ z62#F3LvcQTndX}}a`_fnnMMeqx@m?pwe40q4|H=CbZC7PHHUN?3Wjv^8g(jfopM@T zSs8nTz|1ida3&kLTzk=WYLLn(MmI)*8DL0jlLl{}cXU#fla=v92nswVA7`@Yz|MIa zH409tA`V;QX+m2=YpmQ-X-m+J+9{ZZFe_<2T4qhD)2H=R+E@!Gt(SnIbY6IkcDZAh z>&WQF#90G|a=a_ZBs1WZC#|lqzKSCqNQ=Xyp7P@{xvjlJLuG5kVN32h7}DU%$Q_sa zepvrlRwkNSBkG%koLUOsB54D~xD`{UYTFs%0v zb`SG4oXDSYH8kf(@lZPjFsu*BL>y)XQ0-odZI1j5FjS_H7U}EfNl%9gCoTH4Y0x_- zmO(x63*|@g!E85hEg9CN@}?+G9G1eVhBSEQ+NxXH!Y@oZjI_ntg4XijN6{XAbHx-e z)Yn7W7BIA0RNa_A@rQX4&4W>M;Np3?V9*?5ro26PtF+rOfmcS4Vb0UXq=ahkgub2) zbrM{tZL|5|l4j2H#ITNP$R_`Y@F_pWv_c%DPeX^vV5s)S?&DwTXfudfJ$XJWJYfYx ztNY(_t*S5Zhj_6JtmEq*8Wb6bXT{wXC?xc|f0>cSc%*~60voJeRiHU}(&2_o9LDcp zMTQ^hi52HQx8KP{TTo8fHaEJhK(~!%HwLcXQf+d8^=6WGtw9@R$H22BxJ%nia6v?whD-f~nKSVb;H*Dl4`_eKx142Oc5ro)}W_a#e5DJ9_Gg78tUQ8G4Kk zY`-w!#m_H`-K*F*D7o`sNH_cUxfum27QSGp4+f*$QBV)$Mw$*Us<-1b7}mSEgP~rg zW9L5KK95nQ@hIEs2X_)kYq0h~$(;J-W=uMaH12V)l7XNHT;R1l<5gtEBP1eXR^(Mc=t^jh3mC-M7=ms0yg9aFm z#S}FfaDDW_*BxlJ6%PwweQ)>Bu*o<_JnVPPcwpiN5^1f|hiI?X?8f6vvscoHT)|1zs zV=(D3HgNay@(T&p(Mr~6r85+*9t>k0?@)dOKQJux@Z#C(aj)X<%27JZ$Xj9^Wm^3s z=++oE@LHHP!mn)IE7*YT7i#M!>}6`}=EiyoiRm!qQ+wu0&$Fn})m{x3G7_KMG3_)N z^@sYOZ3!>=?cDWyLu=M<0YP5wq3F(XA4b@(wHZjGX!J2wMy4i=28Mp2NowQVj~q>9 zo*`q1g0kBTX^kK)Vb-3gKB;yX)iBav>wRFTFWLP1(Bo-KCm#lb+|YRE1j`i2G%gvm z^C|U!)D{q0$TG<(8GbG;2Zez#vqS+|OL#I=f_rH-ytWO5j2-G6)lnm>#TNb3hf~kQ z`knq@NVj%RMjDyh&88lmErn5FXvA8oI=i@HQ^gyWL0W;Vv@QF5uFaLL=mCc8hR_)- z^K^Q}4V~m&c>V)vOdVYahSFIyS<8L4VoJCuom4i?f$KJ(bw0kLaU!dMmzkk^NQnEC zu4-M(RjMzfv(hXv<2N(p)4cInqmG&T-L+{(NpYZCI-8DR&cRkbonpwpu?*sbdb$Vj zb)sH(w@Ip?r+uu}#Q3@g^9@_|zg4|rdUG}%lpL5aze#-F6ib!trEzI4tTYi5lGOB! z$-_^NX|y3qr-s(1+J@S2iM(<6kG%4O0KHpV`b{aoY7rPHOzF^|i)VJPLFTvU^I#y2 zu^X5g(wtCls6QBtGf8U}XDPp-Z5@AsG)kwo4Mwr|*3ORy%S^DFxU<1;c(t$M3pn#x|(=*=>UN~hWp2q%*K^c)Wi!aRrJxv>7ZiWttIcnDfA!CCP z2i4I=6Vyr+il3p+5;6;{1^v&bm>+!x7f$#H>)^=;m9{SYFO6=;Cg$&|qkWWG3EKnG zY@DoQxM#Lvn=X0O(_+;FkGOf(U@*CinUgl*hP_UGDmk=8a`Lski|}bh?Up5EHbNR> zw;wvaa`s+Z1Zj9CPSWCicwR zY7#uGkf|MKCF0QY^O|pgsK|T;(-=(cIKo<0o0;8JV9DA!6*9Hs+(aA<_avnA=kF{m z>?Ww!eb1h7+(sqD!f!M)Y}|V+2wQih%G#Ykg2V~A@<&y(p3Hxr}jHpaC^*% ztM+<4G30k@rz7m^Yg&zTrYdZNa3W;_R^MKw|QuA%4&p)(j2F#pN(`aicd zw{DW2*f8DPALv%wIzkP&)8WqPuSk>h^hKaGcYY+jQzD2X>75cm4UzOti6D-ocS@K6 zBu}G$?RQE9aU{J{B8VgDof1JD?mEg{t0cWsB9QjqzEeW;67G`wy>*o1Ef6%v|MI;6 zW>oW6y#>Nu<0U;e6O;nCMSrC&{9b9??MKp+;y=sJ@2w%+w*I{~;BIr=>HJkW{gqPq zm0HDJ54f%KD>eSFvKx2F{fc#drT_UAyGeTbFBqY4=jX4o=&zLauh{zcwt9(cHO#!E z$VsqvJ1}L`gsm0Lzskz6uWU;g4L-oVH22ex(AP8F4^L7J5ipYaZ2=SATQG0j)jQMi zY5RufXvTs?E*{3%NQY*W|Nb^A&FdwNYMAVByr+sOEw6S>WS7$Z;Emkn(2brv>>d!7 z@W$fo9cDJg=q73OB+x+8I7E=snzdK;Uo-KVwO7Q{t~}rq6g$#EoNb+w2-MFnI zsm2T9NNT5lZBDthu4(IEn_~zq%57_Ii%ROV{#xtQw84K;tGF%t_vdGAUx7c+h#T3n zRb4k)J!YHm0Wh?t+Nc4)YfE1(tXrZjGVPSRd?fo2@;lr%;BE`t);R~=@Onhdu}@p7 zr<9Ds-&zTEyU#M;4lhZ+p*IoF+Jww!Ftqx$X`NQo`n73MBBo}U{@<$C-1*_wfZJF7 zN`APdahDIbZZ$ou$Zp)}aJTx2{RQh3?n6q~JS>UshMI`#Mis8MG{Nc@=XxR@vmAmn zTDM9c)auHbrB|~VY0NXDb6}c)xm`c;iR-+??aVr#DIQkvxEXHm&t2np!8{sBXR3>L z{UzfY<2kLcCUV>QG~&=YT&|qVnfu}1SWgtjsr^@FLgqj38%5>wdrOYnI@~$^Cu==x zfZ%os>j_uoD@!z&BF>A9J3#Kk=W`<0sbE8d^m@BB)y$z7)09_g=Y+uWY~ z@3-5pj5fGy{NLXPbC2KtejopP>%l+SEB{Ih=Jwazqm6&EALTCXziRx(T|>D0;9n^@ zZr{sYa@<~-+q-c0r+>dE|EtQByW}_I|74QGQ$JX5K z=kFi){z^OLE^Th#%iXsB$-ei0PhbBlbEaRZJKUc9@An74GK&7ae)Rt*>rjs&+4B)2 z+4B+eD>HuX_fRC)(Le6ZxV;#6`TTcYjCpieYbGvw`d@QRNW^fj0CLa7Io@E!U#k3F zZ?LM$aKG;_WNP|@|HKB|V`c97+^>vxxO+418d5VqfBo~*-|OEbx2!*YJA>Og+~fHF zH|_R&t;0Q+`G0ezguDIx{q^Agw=tijzcc!?`5bo-`1iNQ+WTJ%-(C6p=g!=9huic0 zRTizehcR|-V0T8~hkAtj1$gmPbnSaa)_;FU@D3AgVq9}a2{6n~>}I@>pn!nzVEoNu zKxrT4E!}C?RN6cqFIdsv<}}2UNZ}6lDl)0Ag1_Jk;A2yF9I19!pB5@S|P~pOy!VNycHIWKZvJ4w<*{!By?jQNSp$aNSGImL zZIF`6yeo1tFdLbgmkoyA);jp}#k&TY1$rXpCK%fJC0n&wlW|F_W{a42VCb!|ZuN(F zhs2-v5-|-&3HIk(ko0}cA>GE6BE}F5wqA+(?6xY}d`-bm5i=MJwzjQdnX#55c&_}k0)kk#$)#P?McG5TOgw;`#oUOA*)`5|I@ zgQ5IXbk~#r*wZmz#PC^Zt)>o=c|5&1M#ONGHeP8jogjGA@9y24wL49Z+sMh_ZzY)x zH(r8KMLOr|4^DP^Iw?=Y$hZsMhaKAWa;KK98gCOZ>R>2N^Dkdah89@zMNB6!^rq~( z7RE=fJ@XtbVjRFU1!LSJb^M`v$|xV92E*8N6xAJ{t=kiER>b(R>E!WV^=|h});`ZeDLvg@{RF(6TrqfR~4f*eY49l5fj6vBj31dr^7PK3q{N_R+^=AVb+GFnNvlK zr=OseoGZLosX5rqi2kNnFguI|qXDhGZ+F}8VrY$BHH6F>FwMc#A2=;CxWg;#LLp?T z!BCA4J?64=kE}B7ZBKvU4=<+fFGwe__4}OSTWxJbajd|Qv?Zl|W%gg0fW2#l(guN{ zww>PU&bi|Ky|6Qnkg55N5EYqF+}jxUO4NY)W05nsgYxqrzBDXjV1YcN8+OMt=G_BB zZQ*VkjV2B3m9P&w{jEG+yXCzHqXLE>{VXzM)C1akhTR%7%IEvDZCqI zAD=27(B~5)`1SxlG(5~NAe0x?@qUZxx%sqTC%x5=bfzL5+POmG+!BR5ar<_Hq4F`q zPN85_z?cRccwcbI*9VMXyBeOiU!a#Eh7L*f%| zdTl1JH=wWcnE6Z`X3vpDh(lT*I6re~51(CnVCWCQpj!&dSg$l(-sV&jvK#I5gEHL+ zMgehhm7b*cKHxxWNm*hZb}ML-h?cBx^ETd$)DXt%&oWJ%|L2k=Hv!pxfCF<6|Np zcq@Zp)A0^)4-4aa@vfxZyS^t&YX>9El=e@-#)XVa`telf!>2Gc+BXloyHHy=4rvXM z(@7m#d+b>5F-TU1-Li-GDpZipMEm9OldqLgP6b=!^4vXxLZ~9#{*>f(H0=?U95#`m z3WuyPWty_wA^-Z}kD!}Fmn1Vjq*HK*J47X2=t>&yrUnU)jyMv>?aqL=$_9G!b>|V*C{7DfscUJ5Bc!c88w&k#nm0%F-1Kr5h7uEW7 z-~7S39$!=S<<|Oij9^y18emW+2*F#u$xaSz$T0ev|YCrj- zj6XG4n3cqoHZuy4=qWHt`lB%tcioA_EJu81q$2YiDbpN=+dABH8Sb2NmjbtLmuCt5 zj&e_@Qf2#>)=XP4#TO5Gcfe3vXx6mCSwFrH?ZSs`6|plLTD_$8Hw+$l&sb@BGY38h zx|i*SIOLH~d#hM!E3^7*>g1%n(RRSgse5_Ti?;TN`x3x5ek+_z|FcR0&7)Ih+8pB9jOJf*`YiSH4aV?EuB(9|~ zjKsAxhS}sUVJ(eeB(9|~jKsAxhAD?MvfIC{r7?`ewKRs2xR%B+64%lgCL~rc5;B;m zUjO|mf2`_aBEv8eSJ@b59^y2EZl;ZAjCgQ#sD~(y#Pv5Oj>PphhLO1b#xN4s-xx;X z`WwSMm@lZkdZ)JzYv00O4qlA$$~L@jV055$#o(!R2Dq%Ery?vP*^`swsono{wZ{|` zM{TBGBEG5(`S)?AejzC3l5%vsb28GwK#0EUTg@_NOFgHaT$_g3;R}Q);@-N81U|lZ zu3PdnwN5l+p*a(hQUOD24l_)RwDOwP(E&pkZpRpPMe& zmzqfj8^OB=xO?%x1)TamU`*6_#9>!gxbsufqAD_3kWV9%(#3*v+}LvyW;r*gWOakx zYJLkCIW^awK3&_*LUW0re4KXtOmCUdgJ$AnQS`y>z%+o=yB0&HjMH3e$1*0SJYzP_ zg%K-@u3n!#Ui6&F4h-eA{j&>2u}ufem&21GR4Yq7;Q~V~INfGN@KB9+>qU$=7}|HT z`_+4=){NOYMa0B{p^;E4&GpZAW^1<=F>Aok?0V8b%SN+92ViAem`)ZLbuhOpP~pI}G>mqyRx_@k!w7BS723Z%X5 zJ8;~NM%`jX47WwOSJ~`W3f8MuopOJ@*maR$eUuqn4gf=TOS^J3_=-{>?L$k`Q&_Zi zpT#Vtp=T;Wi=_1s;TTCp#vM}HBji`UJ+PSl9{A!wS*EQwuoKLPjCw`kv0|Wmz_73o zzd)ZFKf7w1h`t(bE&6IWzSZLH7Z8b6(%xgPwtLknqy4?cf_j$x!>mWZzWz;WYG0GD z`E8-HCW73Sx=h>bx>H-@34W8unWgTc^i$RR?tA=J!SB;HFMS62gt!O$ zPH~`*euj3Yk1Vj4j0Ev(L$9Do4kX+^v~zGkxQ}0;A#;ymXr!lmcvuit(!Kqn_#uK7 zGs6&1BlhFzhW~cAZ&1)ge9(fvs{Zc;qGQr)f5)s?!gbJ8Az#m)XqnsdxW14Wm|G0!9l^4Oif|I zA*fDxt)XT(l|_)DPe@RBa7`-Ilir=c-sXJwS`b5P9WhdQp_4`!ujb)IOe|CCK3YG3?I$k-m2r&+X=i zkr4vxf#xMs11cRfd^q8 zo(S7_qha-J`>Q$jn;+fD`iH%7NH1xmn;0)G)&HY??bsf=olQ-C4AautUEhPvc&Wqr z7&n^s(DR^0_i{cT$A5pIG|&BbKK;5o9QWVHyW#ZwfhV;;H1fAW)5%NPcjxDS3en|l zZsN;Nqgy``|1a#C|4XF~UR=004tC87FuuHCd3R%8Iv2#R0dJWzD6B~wMJmPkVGQ3IccAKhUr0Q)$gdUvDAE0ya@N=omhn&o}* zO46M5&3NQ%#CR!}{G)zD^y5kPc>33g(Qc0zEv)-=)!R0Mj)VclwqZZ+`*BoG-L=22 z`}otax$s!yg)#36(|j8@!|{rg{%V9g4oo;#LnIU1*wHt0x^9+{4$FfGhqH`qN;RGS z+({2_Ui$5}JGlP0XAtEv3W;}v*$vmDS@w>*d#2U`pX5_^Xslsxx`MLcOaz}=ng9Q_ zk&URpSbuEPS%9)H0)S#&3b5(JKq6uqqK{oC*&w8J%wW_T-MBxP$@W~}TOS8p?^diYm74O|kkY#;mn@RYb$o;Se92O#g)gB; zo@y$iMxzc$kq?^W@sx7ve8|%_yc*d&iPN70cTB=X?O$k-TGEt;2s7lq09~X;k0_p1 zD4QY7bsjAaT!reV9S`Y4;0UCNg>CAlw+PP6cY(U8%4a4-_oP^ zU3-uh6ZP$LIqbrNWG9{h-1R%k`qV$~d*oGp&X7Zh`*zp=)9IUK!{c`mO*kX;!s2t# z2f;?GF>iVX!qeILzWeaq&~8Ok2G@N&bR*}voR6h1sKZI9K+Pt)H>=OHKPn4F!RjwC zg-u4SH~{t**!z&$e)xXsx6j>Mx7#syqxoo$N8~+5?0tKn?$KFwviKE}cb7eD`LRKb z)t#Pr&9hO}PjNXp6qLSc{f_-rn77I$4QwnLW@Y2wMDD-;?LWVLsUt-wauBFCY)90S zGV+nX^q#VWlN6ZriJ$7UE87CqS6l(gRT#8bX^Zjn{Gl87A7I)$)FlOE>3)D|FXULV zoL;0bC~!Jar3o9pa8c;1&!8A zwVzB@h?Z}vrYLG%jPkW@%b_*j$QdwgC4Jeo>3*VG8_}W`>LZH@To$5IomTuKn}4ie zwv0?DFiV(8M1f2Kw173;kLN3rdpGNM*;<7O9{RCuH>1o&m;T}S<5{)^WRT|cOo^%U zsG$2~GU`d)m%D6|Gs%^LM$h_7N;HuS+Ra<~`#7lCd>_SsWMF4? zZxa~bgPwE#7(PqnH#SUsT<>{cI~=C*eu-IVARiCMhY^!@dXa8cixC3kRqS5QH=qk)^Sy4+KMvU8Art*k!;u{DHSh?2Uy|{ z9p3~W+I>mq9wK=lNg)Gwb)oNhkfh#CWz>6P;5(8Aj}GaxDpDDPv=QrZbBIPPj{+su z)0eW9^^j!Sk)0LgxB{C+EC4Byj}cu|NM%}hgE-1Y0FnUFwO7k?o2j^0Q|*YkPyh{i z5FNuY=V@RQXFRrV3^UK{$TLs%B`%F(0UY^MK&rJA>jjq`sUx3`cRECjFWqCy$YDio z)o;GN^qUuv?1Qh+fEpWk{nd_BYc! z#KsZEsi(_fqo*xsoNa-MBpx`4pK?eem*=V*niZ*#VLZ$3ex`FloV2KN@3q->G_Kt2 zD^Qt61Ue1S`c^uH70D8%VFArV0L3`wjf%D`Mw=8B&IC}V`iyMrBTB5+K9o^RXP1$Q zRd#{)BpyhKpL(dz>_M3(gm}%GwzcxRPLb_l=(l&}HOE0CfnprgBWGl1a!aJBi|Qi^ zW#$kmr_6hD*Nx=z1MAnji&r|5$h&6^hmMz7lm^D;*o082opgg_yxX+0Q$Lm(Fo_3N z;@AFL>+_BjqXUh|F#)ojZKYio^R?YwM5!toPt?xnc|_S#;Ia@2_~6lgRvi;L3nN7F zLviW~vne8@LdCRG+x1=+>5YMje6#v_s)Gg~4VZ-yG}@#O9_1CC?xfe%G%h}l)P;+$ z60m3jCOL@s=WUpF-R{zGRTS|x;!#Lqt&)rm$tq(0|A_{ zldlD;LnKpRn?mWXF@WlK>Fw;YkT~+GBBwT{`pp{BdN)jD4^lkH>PhyDp2j;lh7|kX zFw9XXlOFr~1gvpTk)jSS*JDI|Ru;b|FXWgLCq)|XgiL8gBYVbi*lRp&`_c(Msgb{J z&HN1rCkbmsICYoNjEUAoGEu&l3qC=Xq2AJ{oS^HD)8!yzI~ycjXmmx{%ob(C19Ytql7->)JdbQ`08r_+{(qeY6bkLDkdkc_f{4hTIGF zlM+ViG(dUC$$UaSqYQ^e*VJ!$~z5{29RHs_W}o(51#`+^?uf1%3|7u{p?Vtw>(QTX4gt}KS z?_gny0(ogb^I47&YK_>Fm)p-)OJk0D;zgn9E{5RKP4DA?>6Iu@$qxYBJ>kf$2RQfp z%y&wG3f+Q;l3bd@IpMqd?u3mTk}0>=xSUj~qB6?@G#f2WplL)y$!rD&QA@tM}CkTri!$XPP6Cy{(pqN4be7BE57{wyV;FD zNhm)eUsg+LT0h+DBW)fe`fyQ+!$uF>GvMMZZSlb*iQ^V(BaW8m5YP(%R~ZY6xr|5| zt$P3En-_e z{hInv%Q6&mMY2(QvMGa55?fTY6I-ahBIpeQeWroZ**RQ8`qCCKHv8=lQpyjtO*2(y zto&+$KeZ2t>2^Lu@v0(MW)5KLf=_+_DyNEV0k%WTWmZpE9H_L_W`rE|)+O7ze$5Sm z(d|Z0R(gF*bRepYEVNlpmt4b;`wr=~R-eK2=T$YJP^f|2<;paV=))@X(uJqGQemoA z=HF*pj(_Vu(+rh##`F1orscFmcb9yVL}A(*wQ)4BKa;+EpJ_RzSGSfty;on9>NR~K zz3SvMn7pktW7+Ln%a3e8diN?$m)?rr*OO-bv#@U2r2y>KC#LKA_R6FY3{RnbG~ z-ASX~WQO@7$BzE`Xstq&1gDTqNJuWh6J@es478R!JiXRWjoLG|IeTL%g_T_%`r3~y zK6k&YJ%9xST(PewzHu_8RimJ(IvuMc#TX3`pckfch2V~m&{46Cp?9|n(>~TQDaL;zTV=%&<=T0 zHce^o2`gQv;Z-_~3Jaxj_({}=!Y0?8h&8Mp6X5aUz}tmFM=Y0E%eTO8)`ZW@*Gp%up`V zuOq8*0Z#2GsU^8p)XC6cjnsL}C@i$cf|f;5uLkivpbJ<F0>#ai0yG6R1e zGYel;YHL%_V_JWpGjC3bu%K2YdIG+RhtwRRhf$y6EER%+!9@=if{GEb5sD!WqP;RO}Hfvqz;$QRx)W?L!Q26qA+dmr5vP|BQP2o z0Ie0#Rov66VN#D}ysPMHBlD*LFA7|T8W~&-s8Qg$Qak&u0n&wlXIEdPK6q_HR+01_ zhSSK_i0m#P*~kH8v4UGZfGjacFFz<6p?dv~wf;s-=qZXw9y zt_|w^4ikZ;J3#iFf*kB63%wo5#Vo7O#Vka>>8pnM;%I=xUb*k{%?SOd6wY#1kbO9L z-?mVFCW6$M#$+E;o^h2zTWYcD!b^J(HlB^e>D?3eR+zK*oG^RrZ-4&!CHuB*PZ))k zl(#v7ud(- z=E5UxS_yaPPy z6FGeJ=^Ytl9W&1)`}~fKEPqTiZus(U_=yHK=DTv_L58r~x%iK( zGO_aqeJqq9guMq+>-Y-P)O?s0=MQAjBpDN%1h1kuLeSYa(42pn32zR2o0%Rk<3Rdy zCXo;%?BiaA(%TrCULOJz1*ROo7g@r6Y&oHHlo>RH1W{rtY$7I2?_(y?gv%tbgOA4x z1>NJQ0!x(Ig~o_plJIGLNR-lq$y}60!*2ND`6}YRKaO9&V8q{%Xws)OVZ!Wyn8nml zI17uZK6Ga(UL1ts>_Z+lUJk>U#EPT`4)26QBi@`tjjuO|@$Q8fQG0+A`4-}YrUoW>7NQttqd@`j?o}AdnjXc73(Hz5VSJC| zB!e|r+Oa&6`c{?A^;-|+0#>2fvB85`|0*ooGfdU3=ou!V>lu-66*b`aQsG{R5e>tj zM81_cu2c?5{R^?e90Ezfvkt`(6wg)*k=)E~dTiudiQ`CeNNegSN=qe0zNIudp+Hca zdme^LF8a2ReNhOAt1u2rTHU76X(aKJ7mX&q8*2^|AF4aMS9F+tT_`mByMZc8gIIIA z9C$(oX^S3tHs?zxves8Iuwin*Sma2EJxlS$5UYY#F7zZ1gFC2eYE3Wv>C4)P?i+^a( z7cP*CxiqmGFdSubS*}p%LsAM<5Jy5J;d0K0@z$1P%?xQ&oQ1R@E7ArJX}_5(@>&Nx z#;%Xq@YVvGth)<#9(Pzs#4fn1y5D$-s}U=Mg^YY0^6_rfA_qxHyjD^TN3!%*Q z`kFR^E7yu@=cY0nx8$FNkU#&l66xv~oDyS8g{BLUzzQBJqkeic?pvgey)1q0QN%*t zvpO)qv*JqS#0(2Unml|tl;-m3M0K(`ri-F7|=92Ikn>(`0QGdGS3FBtXMa&{t z7pbIu=#-eEmkTK}D(c86wqnnvqZv^w@FE{AW-$vb7G+23$fq_}s>4KMQb@+u8A?*f zmB{iemPsZq+R2`}`!#UWzu|c5rDW|ViUmmI(Ow#TtnG5MMUQU<2(Tj~5;lDOq)iVu29(l<#X93!OYMU@68$s`^dHY;u>> z*p|T@o}2EqEo*(Q8{OeN>(U{-Y6U=fhPn%nmY%NBH#}eCwNDARnXrHYy zO~)14PBt2iLkzB4mTfs9ctAWU8JC`rk`zj1yI6Lb)oXo@V0d>JdDL3BkwSxY3}tAM zM>RpAbLw{w%%!^e;ec2k48<~HwdAXlpghZn)%{8X**J<~-BgLaMpmGDN=#J{eTF5G zUT0PDwtKvYwHEzV3ToF;_i}n~FNSgImSDIyzSDbP@(a3^6TEFtPErh|j-N&(-!wq( z6`O8Rs4?X4h9N)->727_ru{C%6@O)e{F4#ObO@N7)lDGc?!IkYe=87$;aPeT_{IT2 z_1nwG%i)(SXGrCoG(vqOn<5R2sbHp+Ivuww0o2%KJbZO2aW0# zLpv{D>5f3NS|nk<8Al4QfNVez;#80^iZ~gwwd7NB$e(|xAW|s5g^q_zEdy)zCzR#?=8>>m!OWxiM zC)RacMUp^MRb!@-FEsvccvY?IxqU|aPWm(el0F*4f!2tQsdnp8HnHa`#5`(;eYWR* zW3|VHT%9RIj++X}ZO>aghb=xGRIp!D?gYX9IH`k2iLFh^-k7hH)x9RD(^akO#bqOL z>=hZ1DW|4wOsWcq#19Si>)Gzag{1YzQmjo#W-bkK+vvIp<^$apy@nQ=#wYM+9U#=Z zDJUkBYT{CcF?sG`F^b#c%g#M4!0~4tD3NzBERm~5vvV2wR^qr)IVANj#0tkIC|K~U zLvaLIoHg_yjBvnt;xxvBwlWwuPGc;_v8OMn9)la5##oGX<21%%9C!G_6XgOHwwozY z;WWl#$|g@^EJksRWawMZN2K&sgnMD_xKk5`8zbLJ99Jrbw5D9)00spMo`n>}$1eiT z8hYGWhso0z3)uibwVnZ&CEvHe+|5my@xz_|zAd7xlyxr2sA3$KTlpFN;uVE>=P7h3lz8MYwl* z8%N7;OI%*)*vve${tNC>Q>C64skEJuCQ?PQOON88;-`F@{C!?9pOe*Iu5e&`pLe(R>(2#Cv!h{_s zcN-cL>QBP7m-E0T%2WTd$bWG(=`>L)^UN(*#-QpE+aRzyr(nkOU$PbR`TqX?7cxFs8@Kwn_zB%8Td$j!6E9%%sy7;S?5uG4i)X1WN41TZB;S_a0hvw! z1=AmN;iP5x^N-*3azM#sqwMwUT2=TvCu^7bjz>}?Xi5A=om#W;F;!C_O$AdX?CV!` zbaFLPo(wiewCuJ1H_>S4L6lLp^I-jlkqBa!q_m83aX_*rOmw&l$+1DpOd-*9hEbOp zcSoN=6HoG2q0HAI%!^s!y2`{ydm+yeM<=y+5#`RDTolZ{kcHmhn+Q&$$Ez~EndeiO zFM6nV>VxD^yRDaDxg@S?!|GIkXn0rCbJ~XkZgS($)0cw!;B}}*8WXBg*bu%H*EE>c zfVsA%%$0_&$251fGDx|nwXjZewsNJ~`rm&6aK#Fa literal 0 HcmV?d00001 diff --git a/examples/create_agent_app/common/vibe_coding/template/components.json b/examples/create_agent_app/common/vibe_coding/template/components.json new file mode 100644 index 00000000..f29e3f16 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/components.json @@ -0,0 +1,20 @@ +{ + "$schema": "https://ui.shadcn.com/schema.json", + "style": "default", + "rsc": false, + "tsx": true, + "tailwind": { + "config": "tailwind.config.ts", + "css": "src/index.css", + "baseColor": "slate", + "cssVariables": true, + "prefix": "" + }, + "aliases": { + "components": "@/components", + "utils": "@/lib/utils", + "ui": "@/components/ui", + "lib": "@/lib", + "hooks": "@/hooks" + } +} \ No newline at end of file diff --git a/examples/create_agent_app/common/vibe_coding/template/eslint.config.js b/examples/create_agent_app/common/vibe_coding/template/eslint.config.js new file mode 100644 index 00000000..e67846f7 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/eslint.config.js @@ -0,0 +1,29 @@ +import js from "@eslint/js"; +import globals from "globals"; +import reactHooks from "eslint-plugin-react-hooks"; +import reactRefresh from "eslint-plugin-react-refresh"; +import tseslint from "typescript-eslint"; + +export default tseslint.config( + { ignores: ["dist"] }, + { + extends: [js.configs.recommended, ...tseslint.configs.recommended], + files: ["**/*.{ts,tsx}"], + languageOptions: { + ecmaVersion: 2020, + globals: globals.browser, + }, + plugins: { + "react-hooks": reactHooks, + "react-refresh": reactRefresh, + }, + rules: { + ...reactHooks.configs.recommended.rules, + "react-refresh/only-export-components": [ + "warn", + { allowConstantExport: true }, + ], + "@typescript-eslint/no-unused-vars": "off", + }, + } +); diff --git a/examples/create_agent_app/common/vibe_coding/template/index.html b/examples/create_agent_app/common/vibe_coding/template/index.html new file mode 100644 index 00000000..074d45e2 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/index.html @@ -0,0 +1,26 @@ + + + + + + peek-a-view-app + + + + + + + + + + + + + + +

+ + + + + diff --git a/examples/create_agent_app/common/vibe_coding/template/package-lock.json b/examples/create_agent_app/common/vibe_coding/template/package-lock.json new file mode 100644 index 00000000..fcb663da --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/package-lock.json @@ -0,0 +1,7108 @@ +{ + "name": "vite_react_shadcn_ts", + "version": "0.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "vite_react_shadcn_ts", + "version": "0.0.0", + "dependencies": { + "@hookform/resolvers": "^3.9.0", + "@radix-ui/react-accordion": "^1.2.0", + "@radix-ui/react-alert-dialog": "^1.1.1", + "@radix-ui/react-aspect-ratio": "^1.1.0", + "@radix-ui/react-avatar": "^1.1.0", + "@radix-ui/react-checkbox": "^1.1.1", + "@radix-ui/react-collapsible": "^1.1.0", + "@radix-ui/react-context-menu": "^2.2.1", + "@radix-ui/react-dialog": "^1.1.2", + "@radix-ui/react-dropdown-menu": "^2.1.1", + "@radix-ui/react-hover-card": "^1.1.1", + "@radix-ui/react-label": "^2.1.0", + "@radix-ui/react-menubar": "^1.1.1", + "@radix-ui/react-navigation-menu": "^1.2.0", + "@radix-ui/react-popover": "^1.1.1", + "@radix-ui/react-progress": "^1.1.0", + "@radix-ui/react-radio-group": "^1.2.0", + "@radix-ui/react-scroll-area": "^1.1.0", + "@radix-ui/react-select": "^2.1.1", + "@radix-ui/react-separator": "^1.1.0", + "@radix-ui/react-slider": "^1.2.0", + "@radix-ui/react-slot": "^1.1.0", + "@radix-ui/react-switch": "^1.1.0", + "@radix-ui/react-tabs": "^1.1.0", + "@radix-ui/react-toast": "^1.2.1", + "@radix-ui/react-toggle": "^1.1.0", + "@radix-ui/react-toggle-group": "^1.1.0", + "@radix-ui/react-tooltip": "^1.1.4", + "@tanstack/react-query": "^5.56.2", + "class-variance-authority": "^0.7.1", + "clsx": "^2.1.1", + "cmdk": "^1.0.0", + "date-fns": "^3.6.0", + "embla-carousel-react": "^8.3.0", + "input-otp": "^1.2.4", + "lucide-react": "^0.462.0", + "next-themes": "^0.3.0", + "react": "^18.3.1", + "react-day-picker": "^8.10.1", + "react-dom": "^18.3.1", + "react-hook-form": "^7.53.0", + "react-resizable-panels": "^2.1.3", + "react-router-dom": "^6.26.2", + "recharts": "^2.12.7", + "sonner": "^1.5.0", + "tailwind-merge": "^2.5.2", + "tailwindcss-animate": "^1.0.7", + "vaul": "^0.9.3", + "zod": "^3.23.8" + }, + "devDependencies": { + "@eslint/js": "^9.9.0", + "@tailwindcss/typography": "^0.5.15", + "@types/node": "^22.5.5", + "@types/react": "^18.3.3", + "@types/react-dom": "^18.3.0", + "@vitejs/plugin-react-swc": "^3.5.0", + "autoprefixer": "^10.4.20", + "eslint": "^9.9.0", + "eslint-plugin-react-hooks": "^5.1.0-rc.0", + "eslint-plugin-react-refresh": "^0.4.9", + "globals": "^15.9.0", + "lovable-tagger": "^1.1.7", + "postcss": "^8.4.47", + "tailwindcss": "^3.4.11", + "typescript": "^5.5.3", + "typescript-eslint": "^8.0.1", + "vite": "^5.4.1" + } + }, + "node_modules/@alloc/quick-lru": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/@alloc/quick-lru/-/quick-lru-5.2.0.tgz", + "integrity": "sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==", + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@babel/helper-string-parser": { + "version": "7.25.9", + "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.25.9.tgz", + "integrity": "sha512-4A/SCr/2KLd5jrtOMFzaKjVtAei3+2r/NChoBNoZ3EyP/+GlhoaEGoWOZUmFmoITP7zOJyHIMm+DYRd8o3PvHA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.25.9", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.25.9.tgz", + "integrity": "sha512-Ed61U6XJc3CVRfkERJWDz4dJwKe7iLmmJsbOGu9wSloNSFttHV0I8g6UAgb7qnK5ly5bGLPd4oXZlxCdANBOWQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/parser": { + "version": "7.25.9", + "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.25.9.tgz", + "integrity": "sha512-aI3jjAAO1fh7vY/pBGsn1i9LDbRP43+asrRlkPuTXW5yHXtd1NgTEMudbBoDDxrf1daEEfPJqR+JBMakzrR4Dg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.25.9" + }, + "bin": { + "parser": "bin/babel-parser.js" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/runtime": { + "version": "7.25.9", + "resolved": "https://registry.npmjs.org/@babel/runtime/-/runtime-7.25.9.tgz", + "integrity": "sha512-4zpTHZ9Cm6L9L+uIqghQX8ZXg8HKFcjYO3qHoO8zTmRm6HQUJ8SSJ+KRvbMBZn0EGVlT4DRYeQ/6hjlyXBh+Kg==", + "license": "MIT", + "dependencies": { + "regenerator-runtime": "^0.14.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/types": { + "version": "7.25.9", + "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.25.9.tgz", + "integrity": "sha512-OwS2CM5KocvQ/k7dFJa8i5bNGJP0hXWfVCfDkqRFP1IreH1JDC7wG6eCYCi0+McbfT8OR/kNqsI0UU0xP9H6PQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-string-parser": "^7.25.9", + "@babel/helper-validator-identifier": "^7.25.9" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@esbuild/aix-ppc64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/aix-ppc64/-/aix-ppc64-0.21.5.tgz", + "integrity": "sha512-1SDgH6ZSPTlggy1yI6+Dbkiz8xzpHJEVAlF/AM1tHPLsf5STom9rwtjE4hKAF20FfXXNTFqEYXyJNWh1GiZedQ==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "aix" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/android-arm": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/android-arm/-/android-arm-0.21.5.tgz", + "integrity": "sha512-vCPvzSjpPHEi1siZdlvAlsPxXl7WbOVUBBAowWug4rJHb68Ox8KualB+1ocNvT5fjv6wpkX6o/iEpbDrf68zcg==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/android-arm64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/android-arm64/-/android-arm64-0.21.5.tgz", + "integrity": "sha512-c0uX9VAUBQ7dTDCjq+wdyGLowMdtR/GoC2U5IYk/7D1H1JYC0qseD7+11iMP2mRLN9RcCMRcjC4YMclCzGwS/A==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/android-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/android-x64/-/android-x64-0.21.5.tgz", + "integrity": "sha512-D7aPRUUNHRBwHxzxRvp856rjUHRFW1SdQATKXH2hqA0kAZb1hKmi02OpYRacl0TxIGz/ZmXWlbZgjwWYaCakTA==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/darwin-arm64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/darwin-arm64/-/darwin-arm64-0.21.5.tgz", + "integrity": "sha512-DwqXqZyuk5AiWWf3UfLiRDJ5EDd49zg6O9wclZ7kUMv2WRFr4HKjXp/5t8JZ11QbQfUS6/cRCKGwYhtNAY88kQ==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/darwin-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/darwin-x64/-/darwin-x64-0.21.5.tgz", + "integrity": "sha512-se/JjF8NlmKVG4kNIuyWMV/22ZaerB+qaSi5MdrXtd6R08kvs2qCN4C09miupktDitvh8jRFflwGFBQcxZRjbw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/freebsd-arm64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/freebsd-arm64/-/freebsd-arm64-0.21.5.tgz", + "integrity": "sha512-5JcRxxRDUJLX8JXp/wcBCy3pENnCgBR9bN6JsY4OmhfUtIHe3ZW0mawA7+RDAcMLrMIZaf03NlQiX9DGyB8h4g==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/freebsd-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/freebsd-x64/-/freebsd-x64-0.21.5.tgz", + "integrity": "sha512-J95kNBj1zkbMXtHVH29bBriQygMXqoVQOQYA+ISs0/2l3T9/kj42ow2mpqerRBxDJnmkUDCaQT/dfNXWX/ZZCQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-arm": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-arm/-/linux-arm-0.21.5.tgz", + "integrity": "sha512-bPb5AHZtbeNGjCKVZ9UGqGwo8EUu4cLq68E95A53KlxAPRmUyYv2D6F0uUI65XisGOL1hBP5mTronbgo+0bFcA==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-arm64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-arm64/-/linux-arm64-0.21.5.tgz", + "integrity": "sha512-ibKvmyYzKsBeX8d8I7MH/TMfWDXBF3db4qM6sy+7re0YXya+K1cem3on9XgdT2EQGMu4hQyZhan7TeQ8XkGp4Q==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-ia32": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-ia32/-/linux-ia32-0.21.5.tgz", + "integrity": "sha512-YvjXDqLRqPDl2dvRODYmmhz4rPeVKYvppfGYKSNGdyZkA01046pLWyRKKI3ax8fbJoK5QbxblURkwK/MWY18Tg==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-loong64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-loong64/-/linux-loong64-0.21.5.tgz", + "integrity": "sha512-uHf1BmMG8qEvzdrzAqg2SIG/02+4/DHB6a9Kbya0XDvwDEKCoC8ZRWI5JJvNdUjtciBGFQ5PuBlpEOXQj+JQSg==", + "cpu": [ + "loong64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-mips64el": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-mips64el/-/linux-mips64el-0.21.5.tgz", + "integrity": "sha512-IajOmO+KJK23bj52dFSNCMsz1QP1DqM6cwLUv3W1QwyxkyIWecfafnI555fvSGqEKwjMXVLokcV5ygHW5b3Jbg==", + "cpu": [ + "mips64el" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-ppc64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-ppc64/-/linux-ppc64-0.21.5.tgz", + "integrity": "sha512-1hHV/Z4OEfMwpLO8rp7CvlhBDnjsC3CttJXIhBi+5Aj5r+MBvy4egg7wCbe//hSsT+RvDAG7s81tAvpL2XAE4w==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-riscv64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-riscv64/-/linux-riscv64-0.21.5.tgz", + "integrity": "sha512-2HdXDMd9GMgTGrPWnJzP2ALSokE/0O5HhTUvWIbD3YdjME8JwvSCnNGBnTThKGEB91OZhzrJ4qIIxk/SBmyDDA==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-s390x": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-s390x/-/linux-s390x-0.21.5.tgz", + "integrity": "sha512-zus5sxzqBJD3eXxwvjN1yQkRepANgxE9lgOW2qLnmr8ikMTphkjgXu1HR01K4FJg8h1kEEDAqDcZQtbrRnB41A==", + "cpu": [ + "s390x" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/linux-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-x64/-/linux-x64-0.21.5.tgz", + "integrity": "sha512-1rYdTpyv03iycF1+BhzrzQJCdOuAOtaqHTWJZCWvijKD2N5Xu0TtVC8/+1faWqcP9iBCWOmjmhoH94dH82BxPQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/netbsd-arm64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/netbsd-arm64/-/netbsd-arm64-0.25.0.tgz", + "integrity": "sha512-RuG4PSMPFfrkH6UwCAqBzauBWTygTvb1nxWasEJooGSJ/NwRw7b2HOwyRTQIU97Hq37l3npXoZGYMy3b3xYvPw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "netbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/netbsd-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/netbsd-x64/-/netbsd-x64-0.21.5.tgz", + "integrity": "sha512-Woi2MXzXjMULccIwMnLciyZH4nCIMpWQAs049KEeMvOcNADVxo0UBIQPfSmxB3CWKedngg7sWZdLvLczpe0tLg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "netbsd" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/openbsd-arm64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/openbsd-arm64/-/openbsd-arm64-0.25.0.tgz", + "integrity": "sha512-21sUNbq2r84YE+SJDfaQRvdgznTD8Xc0oc3p3iW/a1EVWeNj/SdUCbm5U0itZPQYRuRTW20fPMWMpcrciH2EJw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "openbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/openbsd-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/openbsd-x64/-/openbsd-x64-0.21.5.tgz", + "integrity": "sha512-HLNNw99xsvx12lFBUwoT8EVCsSvRNDVxNpjZ7bPn947b8gJPzeHWyNVhFsaerc0n3TsbOINvRP2byTZ5LKezow==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "openbsd" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/sunos-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/sunos-x64/-/sunos-x64-0.21.5.tgz", + "integrity": "sha512-6+gjmFpfy0BHU5Tpptkuh8+uw3mnrvgs+dSPQXQOv3ekbordwnzTVEb4qnIvQcYXq6gzkyTnoZ9dZG+D4garKg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "sunos" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/win32-arm64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/win32-arm64/-/win32-arm64-0.21.5.tgz", + "integrity": "sha512-Z0gOTd75VvXqyq7nsl93zwahcTROgqvuAcYDUr+vOv8uHhNSKROyU961kgtCD1e95IqPKSQKH7tBTslnS3tA8A==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/win32-ia32": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/win32-ia32/-/win32-ia32-0.21.5.tgz", + "integrity": "sha512-SWXFF1CL2RVNMaVs+BBClwtfZSvDgtL//G/smwAc5oVK/UPu2Gu9tIaRgFmYFFKrmg3SyAjSrElf0TiJ1v8fYA==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@esbuild/win32-x64": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/@esbuild/win32-x64/-/win32-x64-0.21.5.tgz", + "integrity": "sha512-tQd/1efJuzPC6rCFwEvLtci/xNFcTZknmXs98FYDfGE4wP9ClFV98nyKrzJKVPMhdDnjzLhdUyMX4PsQAPjwIw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=12" + } + }, + "node_modules/@eslint-community/eslint-utils": { + "version": "4.4.0", + "resolved": "https://registry.npmjs.org/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz", + "integrity": "sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==", + "dev": true, + "license": "MIT", + "dependencies": { + "eslint-visitor-keys": "^3.3.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "peerDependencies": { + "eslint": "^6.0.0 || ^7.0.0 || >=8.0.0" + } + }, + "node_modules/@eslint-community/eslint-utils/node_modules/eslint-visitor-keys": { + "version": "3.4.3", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", + "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/@eslint-community/regexpp": { + "version": "4.11.1", + "resolved": "https://registry.npmjs.org/@eslint-community/regexpp/-/regexpp-4.11.1.tgz", + "integrity": "sha512-m4DVN9ZqskZoLU5GlWZadwDnYo3vAEydiUayB9widCl9ffWx2IvPnp6n3on5rJmziJSw9Bv+Z3ChDVdMwXCY8Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.0.0 || ^14.0.0 || >=16.0.0" + } + }, + "node_modules/@eslint/config-array": { + "version": "0.18.0", + "resolved": "https://registry.npmjs.org/@eslint/config-array/-/config-array-0.18.0.tgz", + "integrity": "sha512-fTxvnS1sRMu3+JjXwJG0j/i4RT9u4qJ+lqS/yCGap4lH4zZGzQ7tu+xZqQmcMZq5OBZDL4QRxQzRjkWcGt8IVw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@eslint/object-schema": "^2.1.4", + "debug": "^4.3.1", + "minimatch": "^3.1.2" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + } + }, + "node_modules/@eslint/core": { + "version": "0.7.0", + "resolved": "https://registry.npmjs.org/@eslint/core/-/core-0.7.0.tgz", + "integrity": "sha512-xp5Jirz5DyPYlPiKat8jaq0EmYvDXKKpzTbxXMpT9eqlRJkRKIz9AGMdlvYjih+im+QlhWrpvVjl8IPC/lHlUw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + } + }, + "node_modules/@eslint/eslintrc": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-3.1.0.tgz", + "integrity": "sha512-4Bfj15dVJdoy3RfZmmo86RK1Fwzn6SstsvK9JS+BaVKqC6QQQQyXekNaC+g+LKNgkQ+2VhGAzm6hO40AhMR3zQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ajv": "^6.12.4", + "debug": "^4.3.2", + "espree": "^10.0.1", + "globals": "^14.0.0", + "ignore": "^5.2.0", + "import-fresh": "^3.2.1", + "js-yaml": "^4.1.0", + "minimatch": "^3.1.2", + "strip-json-comments": "^3.1.1" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/@eslint/eslintrc/node_modules/globals": { + "version": "14.0.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-14.0.0.tgz", + "integrity": "sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@eslint/js": { + "version": "9.13.0", + "resolved": "https://registry.npmjs.org/@eslint/js/-/js-9.13.0.tgz", + "integrity": "sha512-IFLyoY4d72Z5y/6o/BazFBezupzI/taV8sGumxTAVw3lXG9A6md1Dc34T9s1FoD/an9pJH8RHbAxsaEbBed9lA==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + } + }, + "node_modules/@eslint/object-schema": { + "version": "2.1.4", + "resolved": "https://registry.npmjs.org/@eslint/object-schema/-/object-schema-2.1.4.tgz", + "integrity": "sha512-BsWiH1yFGjXXS2yvrf5LyuoSIIbPrGUWob917o+BTKuZ7qJdxX8aJLRxs1fS9n6r7vESrq1OUqb68dANcFXuQQ==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + } + }, + "node_modules/@eslint/plugin-kit": { + "version": "0.2.3", + "resolved": "https://registry.npmjs.org/@eslint/plugin-kit/-/plugin-kit-0.2.3.tgz", + "integrity": "sha512-2b/g5hRmpbb1o4GnTZax9N9m0FXzz9OV42ZzI4rDDMDuHUqigAiQCEWChBWCY4ztAGVRjoWT19v0yMmc5/L5kA==", + "dev": true, + "dependencies": { + "levn": "^0.4.1" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + } + }, + "node_modules/@floating-ui/core": { + "version": "1.6.8", + "resolved": "https://registry.npmjs.org/@floating-ui/core/-/core-1.6.8.tgz", + "integrity": "sha512-7XJ9cPU+yI2QeLS+FCSlqNFZJq8arvswefkZrYI1yQBbftw6FyrZOxYSh+9S7z7TpeWlRt9zJ5IhM1WIL334jA==", + "license": "MIT", + "dependencies": { + "@floating-ui/utils": "^0.2.8" + } + }, + "node_modules/@floating-ui/dom": { + "version": "1.6.11", + "resolved": "https://registry.npmjs.org/@floating-ui/dom/-/dom-1.6.11.tgz", + "integrity": "sha512-qkMCxSR24v2vGkhYDo/UzxfJN3D4syqSjyuTFz6C7XcpU1pASPRieNI0Kj5VP3/503mOfYiGY891ugBX1GlABQ==", + "license": "MIT", + "dependencies": { + "@floating-ui/core": "^1.6.0", + "@floating-ui/utils": "^0.2.8" + } + }, + "node_modules/@floating-ui/react-dom": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/@floating-ui/react-dom/-/react-dom-2.1.2.tgz", + "integrity": "sha512-06okr5cgPzMNBy+Ycse2A6udMi4bqwW/zgBF/rwjcNqWkyr82Mcg8b0vjX8OJpZFy/FKjJmw6wV7t44kK6kW7A==", + "license": "MIT", + "dependencies": { + "@floating-ui/dom": "^1.0.0" + }, + "peerDependencies": { + "react": ">=16.8.0", + "react-dom": ">=16.8.0" + } + }, + "node_modules/@floating-ui/utils": { + "version": "0.2.8", + "resolved": "https://registry.npmjs.org/@floating-ui/utils/-/utils-0.2.8.tgz", + "integrity": "sha512-kym7SodPp8/wloecOpcmSnWJsK7M0E5Wg8UcFA+uO4B9s5d0ywXOEro/8HM9x0rW+TljRzul/14UYz3TleT3ig==", + "license": "MIT" + }, + "node_modules/@hookform/resolvers": { + "version": "3.9.0", + "resolved": "https://registry.npmjs.org/@hookform/resolvers/-/resolvers-3.9.0.tgz", + "integrity": "sha512-bU0Gr4EepJ/EQsH/IwEzYLsT/PEj5C0ynLQ4m+GSHS+xKH4TfSelhluTgOaoc4kA5s7eCsQbM4wvZLzELmWzUg==", + "license": "MIT", + "peerDependencies": { + "react-hook-form": "^7.0.0" + } + }, + "node_modules/@humanfs/core": { + "version": "0.19.0", + "resolved": "https://registry.npmjs.org/@humanfs/core/-/core-0.19.0.tgz", + "integrity": "sha512-2cbWIHbZVEweE853g8jymffCA+NCMiuqeECeBBLm8dg2oFdjuGJhgN4UAbI+6v0CKbbhvtXA4qV8YR5Ji86nmw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=18.18.0" + } + }, + "node_modules/@humanfs/node": { + "version": "0.16.5", + "resolved": "https://registry.npmjs.org/@humanfs/node/-/node-0.16.5.tgz", + "integrity": "sha512-KSPA4umqSG4LHYRodq31VDwKAvaTF4xmVlzM8Aeh4PlU1JQ3IG0wiA8C25d3RQ9nJyM3mBHyI53K06VVL/oFFg==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@humanfs/core": "^0.19.0", + "@humanwhocodes/retry": "^0.3.0" + }, + "engines": { + "node": ">=18.18.0" + } + }, + "node_modules/@humanwhocodes/module-importer": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz", + "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=12.22" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/nzakas" + } + }, + "node_modules/@humanwhocodes/retry": { + "version": "0.3.1", + "resolved": "https://registry.npmjs.org/@humanwhocodes/retry/-/retry-0.3.1.tgz", + "integrity": "sha512-JBxkERygn7Bv/GbN5Rv8Ul6LVknS+5Bp6RgDC/O8gEBU/yeH5Ui5C/OlWrTb6qct7LjjfT6Re2NxB0ln0yYybA==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=18.18" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/nzakas" + } + }, + "node_modules/@isaacs/cliui": { + "version": "8.0.2", + "resolved": "https://registry.npmjs.org/@isaacs/cliui/-/cliui-8.0.2.tgz", + "integrity": "sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==", + "license": "ISC", + "dependencies": { + "string-width": "^5.1.2", + "string-width-cjs": "npm:string-width@^4.2.0", + "strip-ansi": "^7.0.1", + "strip-ansi-cjs": "npm:strip-ansi@^6.0.1", + "wrap-ansi": "^8.1.0", + "wrap-ansi-cjs": "npm:wrap-ansi@^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/@jridgewell/gen-mapping": { + "version": "0.3.5", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.5.tgz", + "integrity": "sha512-IzL8ZoEDIBRWEzlCcRhOaCupYyN5gdIK+Q6fbFdPDg6HqX6jpkItn7DFIpW9LQzXG6Df9sA7+OKnq0qlz/GaQg==", + "license": "MIT", + "dependencies": { + "@jridgewell/set-array": "^1.2.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/resolve-uri": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", + "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/set-array": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.2.1.tgz", + "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/sourcemap-codec": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", + "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", + "license": "MIT" + }, + "node_modules/@jridgewell/trace-mapping": { + "version": "0.3.25", + "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", + "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", + "license": "MIT", + "dependencies": { + "@jridgewell/resolve-uri": "^3.1.0", + "@jridgewell/sourcemap-codec": "^1.4.14" + } + }, + "node_modules/@nodelib/fs.scandir": { + "version": "2.1.5", + "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz", + "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==", + "license": "MIT", + "dependencies": { + "@nodelib/fs.stat": "2.0.5", + "run-parallel": "^1.1.9" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/@nodelib/fs.stat": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz", + "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==", + "license": "MIT", + "engines": { + "node": ">= 8" + } + }, + "node_modules/@nodelib/fs.walk": { + "version": "1.2.8", + "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz", + "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==", + "license": "MIT", + "dependencies": { + "@nodelib/fs.scandir": "2.1.5", + "fastq": "^1.6.0" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/@pkgjs/parseargs": { + "version": "0.11.0", + "resolved": "https://registry.npmjs.org/@pkgjs/parseargs/-/parseargs-0.11.0.tgz", + "integrity": "sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==", + "license": "MIT", + "optional": true, + "engines": { + "node": ">=14" + } + }, + "node_modules/@radix-ui/number": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/number/-/number-1.1.0.tgz", + "integrity": "sha512-V3gRzhVNU1ldS5XhAPTom1fOIo4ccrjjJgmE+LI2h/WaFpHmx0MQApT+KZHnx8abG6Avtfcz4WoEciMnpFT3HQ==", + "license": "MIT" + }, + "node_modules/@radix-ui/primitive": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/primitive/-/primitive-1.1.0.tgz", + "integrity": "sha512-4Z8dn6Upk0qk4P74xBhZ6Hd/w0mPEzOOLxy4xiPXOXqjF7jZS0VAKk7/x/H6FyY2zCkYJqePf1G5KmkmNJ4RBA==", + "license": "MIT" + }, + "node_modules/@radix-ui/react-accordion": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-accordion/-/react-accordion-1.2.1.tgz", + "integrity": "sha512-bg/l7l5QzUjgsh8kjwDFommzAshnUsuVMV5NM56QVCm+7ZckYdd9P/ExR8xG/Oup0OajVxNLaHJ1tb8mXk+nzQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collapsible": "1.1.1", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-alert-dialog": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-alert-dialog/-/react-alert-dialog-1.1.2.tgz", + "integrity": "sha512-eGSlLzPhKO+TErxkiGcCZGuvbVMnLA1MTnyBksGOeGRGkxHiiJUujsjmNTdWTm4iHVSRaUao9/4Ur671auMghQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-dialog": "1.1.2", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-slot": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-arrow": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-arrow/-/react-arrow-1.1.0.tgz", + "integrity": "sha512-FmlW1rCg7hBpEBwFbjHwCW6AmWLQM6g/v0Sn8XbP9NvmSZ2San1FpQeyPtufzOMSIx7Y4dzjlHoifhp+7NkZhw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-primitive": "2.0.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-aspect-ratio": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-aspect-ratio/-/react-aspect-ratio-1.1.0.tgz", + "integrity": "sha512-dP87DM/Y7jFlPgUZTlhx6FF5CEzOiaxp2rBCKlaXlpH5Ip/9Fg5zZ9lDOQ5o/MOfUlf36eak14zoWYpgcgGoOg==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-primitive": "2.0.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-avatar": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-avatar/-/react-avatar-1.1.1.tgz", + "integrity": "sha512-eoOtThOmxeoizxpX6RiEsQZ2wj5r4+zoeqAwO0cBaFQGjJwIH3dIX0OCxNrCyrrdxG+vBweMETh3VziQG7c1kw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-checkbox": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-checkbox/-/react-checkbox-1.1.2.tgz", + "integrity": "sha512-/i0fl686zaJbDQLNKrkCbMyDm6FQMt4jg323k7HuqitoANm9sE23Ql8yOK3Wusk34HSLKDChhMux05FnP6KUkw==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-previous": "1.1.0", + "@radix-ui/react-use-size": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-collapsible": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-collapsible/-/react-collapsible-1.1.1.tgz", + "integrity": "sha512-1///SnrfQHJEofLokyczERxQbWfCGQlQ2XsCZMucVs6it+lq9iw4vXy+uDn1edlb58cOZOWSldnfPAYcT4O/Yg==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-collection": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-collection/-/react-collection-1.1.0.tgz", + "integrity": "sha512-GZsZslMJEyo1VKm5L1ZJY8tGDxZNPAoUeQUIbKeJfoi7Q4kmig5AsgLMYYuyYbfjd8fBmFORAIwYAkXMnXZgZw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-slot": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-collection/node_modules/@radix-ui/react-context": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context/-/react-context-1.1.0.tgz", + "integrity": "sha512-OKrckBy+sMEgYM/sMmqmErVn0kZqrHPJze+Ql3DzYsDDp0hl0L62nx/2122/Bvps1qz645jlcu2tD9lrRSdf8A==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-compose-refs": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-compose-refs/-/react-compose-refs-1.1.0.tgz", + "integrity": "sha512-b4inOtiaOnYf9KWyO3jAeeCG6FeyfY6ldiEPanbUjWd+xIk5wZeHa8yVwmrJ2vderhu/BQvzCrJI0lHd+wIiqw==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-context": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context/-/react-context-1.1.1.tgz", + "integrity": "sha512-UASk9zi+crv9WteK/NU4PLvOoL3OuE6BWVKNF6hPRBtYBDXQ2u5iu3O59zUlJiTVvkyuycnqrztsHVJwcK9K+Q==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-context-menu": { + "version": "2.2.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context-menu/-/react-context-menu-2.2.2.tgz", + "integrity": "sha512-99EatSTpW+hRYHt7m8wdDlLtkmTovEe8Z/hnxUPV+SKuuNL5HWNhQI4QSdjZqNSgXHay2z4M3Dym73j9p2Gx5Q==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-menu": "2.1.2", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-dialog": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-dialog/-/react-dialog-1.1.2.tgz", + "integrity": "sha512-Yj4dZtqa2o+kG61fzB0H2qUvmwBA2oyQroGLyNtBj1beo1khoQ3q1a2AO8rrQYjd8256CO9+N8L9tvsS+bnIyA==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-focus-guards": "1.1.1", + "@radix-ui/react-focus-scope": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-portal": "1.1.2", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-slot": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "aria-hidden": "^1.1.1", + "react-remove-scroll": "2.6.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-direction": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-direction/-/react-direction-1.1.0.tgz", + "integrity": "sha512-BUuBvgThEiAXh2DWu93XsT+a3aWrGqolGlqqw5VU1kG7p/ZH2cuDlM1sRLNnY3QcBS69UIz2mcKhMxDsdewhjg==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-dismissable-layer": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-dismissable-layer/-/react-dismissable-layer-1.1.1.tgz", + "integrity": "sha512-QSxg29lfr/xcev6kSz7MAlmDnzbP1eI/Dwn3Tp1ip0KT5CUELsxkekFEMVBEoykI3oV39hKT4TKZzBNMbcTZYQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-escape-keydown": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-dropdown-menu": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-dropdown-menu/-/react-dropdown-menu-2.1.2.tgz", + "integrity": "sha512-GVZMR+eqK8/Kes0a36Qrv+i20bAPXSn8rCBTHx30w+3ECnR5o3xixAlqcVaYvLeyKUsm0aqyhWfmUcqufM8nYA==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-menu": "2.1.2", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-focus-guards": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-focus-guards/-/react-focus-guards-1.1.1.tgz", + "integrity": "sha512-pSIwfrT1a6sIoDASCSpFwOasEwKTZWDw/iBdtnqKO7v6FeOzYJ7U53cPzYFVR3geGGXgVHaH+CdngrrAzqUGxg==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-focus-scope": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-focus-scope/-/react-focus-scope-1.1.0.tgz", + "integrity": "sha512-200UD8zylvEyL8Bx+z76RJnASR2gRMuxlgFCPAe/Q/679a/r0eK3MBVYMb7vZODZcffZBdob1EGnky78xmVvcA==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-hover-card": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-hover-card/-/react-hover-card-1.1.2.tgz", + "integrity": "sha512-Y5w0qGhysvmqsIy6nQxaPa6mXNKznfoGjOfBgzOjocLxr2XlSjqBMYQQL+FfyogsMuX+m8cZyQGYhJxvxUzO4w==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-popper": "1.2.0", + "@radix-ui/react-portal": "1.1.2", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-id": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-id/-/react-id-1.1.0.tgz", + "integrity": "sha512-EJUrI8yYh7WOjNOqpoJaf1jlFIH2LvtgAl+YcFqNCa+4hj64ZXmPkAKOFs/ukjz3byN6bdb/AVUqHkI8/uWWMA==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-use-layout-effect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-label": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-label/-/react-label-2.1.0.tgz", + "integrity": "sha512-peLblDlFw/ngk3UWq0VnYaOLy6agTZZ+MUO/WhVfm14vJGML+xH4FAl2XQGLqdefjNb7ApRg6Yn7U42ZhmYXdw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-primitive": "2.0.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-menu": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-menu/-/react-menu-2.1.2.tgz", + "integrity": "sha512-lZ0R4qR2Al6fZ4yCCZzu/ReTFrylHFxIqy7OezIpWF4bL0o9biKo0pFIvkaew3TyZ9Fy5gYVrR5zCGZBVbO1zg==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-focus-guards": "1.1.1", + "@radix-ui/react-focus-scope": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-popper": "1.2.0", + "@radix-ui/react-portal": "1.1.2", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-roving-focus": "1.1.0", + "@radix-ui/react-slot": "1.1.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "aria-hidden": "^1.1.1", + "react-remove-scroll": "2.6.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-menubar": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-menubar/-/react-menubar-1.1.2.tgz", + "integrity": "sha512-cKmj5Gte7LVyuz+8gXinxZAZECQU+N7aq5pw7kUPpx3xjnDXDbsdzHtCCD2W72bwzy74AvrqdYnKYS42ueskUQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-menu": "2.1.2", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-roving-focus": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-navigation-menu": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-navigation-menu/-/react-navigation-menu-1.2.1.tgz", + "integrity": "sha512-egDo0yJD2IK8L17gC82vptkvW1jLeni1VuqCyzY727dSJdk5cDjINomouLoNk8RVF7g2aNIfENKWL4UzeU9c8Q==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0", + "@radix-ui/react-use-previous": "1.1.0", + "@radix-ui/react-visually-hidden": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-popover": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-popover/-/react-popover-1.1.2.tgz", + "integrity": "sha512-u2HRUyWW+lOiA2g0Le0tMmT55FGOEWHwPFt1EPfbLly7uXQExFo5duNKqG2DzmFXIdqOeNd+TpE8baHWJCyP9w==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-focus-guards": "1.1.1", + "@radix-ui/react-focus-scope": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-popper": "1.2.0", + "@radix-ui/react-portal": "1.1.2", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-slot": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "aria-hidden": "^1.1.1", + "react-remove-scroll": "2.6.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-popper": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-popper/-/react-popper-1.2.0.tgz", + "integrity": "sha512-ZnRMshKF43aBxVWPWvbj21+7TQCvhuULWJ4gNIKYpRlQt5xGRhLx66tMp8pya2UkGHTSlhpXwmjqltDYHhw7Vg==", + "license": "MIT", + "dependencies": { + "@floating-ui/react-dom": "^2.0.0", + "@radix-ui/react-arrow": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0", + "@radix-ui/react-use-rect": "1.1.0", + "@radix-ui/react-use-size": "1.1.0", + "@radix-ui/rect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-popper/node_modules/@radix-ui/react-context": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context/-/react-context-1.1.0.tgz", + "integrity": "sha512-OKrckBy+sMEgYM/sMmqmErVn0kZqrHPJze+Ql3DzYsDDp0hl0L62nx/2122/Bvps1qz645jlcu2tD9lrRSdf8A==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-portal": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-portal/-/react-portal-1.1.2.tgz", + "integrity": "sha512-WeDYLGPxJb/5EGBoedyJbT0MpoULmwnIPMJMSldkuiMsBAv7N1cRdsTWZWht9vpPOiN3qyiGAtbK2is47/uMFg==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-layout-effect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-presence": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-presence/-/react-presence-1.1.1.tgz", + "integrity": "sha512-IeFXVi4YS1K0wVZzXNrbaaUvIJ3qdY+/Ih4eHFhWA9SwGR9UDX7Ck8abvL57C4cv3wwMvUE0OG69Qc3NCcTe/A==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-primitive": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-primitive/-/react-primitive-2.0.0.tgz", + "integrity": "sha512-ZSpFm0/uHa8zTvKBDjLFWLo8dkr4MBsiDLz0g3gMUwqgLHz9rTaRRGYDgvZPtBJgYCBKXkS9fzmoySgr8CO6Cw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-slot": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-progress": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-progress/-/react-progress-1.1.0.tgz", + "integrity": "sha512-aSzvnYpP725CROcxAOEBVZZSIQVQdHgBr2QQFKySsaD14u8dNT0batuXI+AAGDdAHfXH8rbnHmjYFqVJ21KkRg==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-context": "1.1.0", + "@radix-ui/react-primitive": "2.0.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-progress/node_modules/@radix-ui/react-context": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context/-/react-context-1.1.0.tgz", + "integrity": "sha512-OKrckBy+sMEgYM/sMmqmErVn0kZqrHPJze+Ql3DzYsDDp0hl0L62nx/2122/Bvps1qz645jlcu2tD9lrRSdf8A==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-radio-group": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-radio-group/-/react-radio-group-1.2.1.tgz", + "integrity": "sha512-kdbv54g4vfRjja9DNWPMxKvXblzqbpEC8kspEkZ6dVP7kQksGCn+iZHkcCz2nb00+lPdRvxrqy4WrvvV1cNqrQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-roving-focus": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-previous": "1.1.0", + "@radix-ui/react-use-size": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-roving-focus": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-roving-focus/-/react-roving-focus-1.1.0.tgz", + "integrity": "sha512-EA6AMGeq9AEeQDeSH0aZgG198qkfHSbvWTf1HvoDmOB5bBG/qTxjYMWUKMnYiV6J/iP/J8MEFSuB2zRU2n7ODA==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.0", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-roving-focus/node_modules/@radix-ui/react-context": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context/-/react-context-1.1.0.tgz", + "integrity": "sha512-OKrckBy+sMEgYM/sMmqmErVn0kZqrHPJze+Ql3DzYsDDp0hl0L62nx/2122/Bvps1qz645jlcu2tD9lrRSdf8A==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-scroll-area": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-scroll-area/-/react-scroll-area-1.2.0.tgz", + "integrity": "sha512-q2jMBdsJ9zB7QG6ngQNzNwlvxLQqONyL58QbEGwuyRZZb/ARQwk3uQVbCF7GvQVOtV6EU/pDxAw3zRzJZI3rpQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/number": "1.1.0", + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-select": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-select/-/react-select-2.1.2.tgz", + "integrity": "sha512-rZJtWmorC7dFRi0owDmoijm6nSJH1tVw64QGiNIZ9PNLyBDtG+iAq+XGsya052At4BfarzY/Dhv9wrrUr6IMZA==", + "license": "MIT", + "dependencies": { + "@radix-ui/number": "1.1.0", + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-focus-guards": "1.1.1", + "@radix-ui/react-focus-scope": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-popper": "1.2.0", + "@radix-ui/react-portal": "1.1.2", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-slot": "1.1.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0", + "@radix-ui/react-use-previous": "1.1.0", + "@radix-ui/react-visually-hidden": "1.1.0", + "aria-hidden": "^1.1.1", + "react-remove-scroll": "2.6.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-separator": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-separator/-/react-separator-1.1.0.tgz", + "integrity": "sha512-3uBAs+egzvJBDZAzvb/n4NxxOYpnspmWxO2u5NbZ8Y6FM/NdrGSF9bop3Cf6F6C71z1rTSn8KV0Fo2ZVd79lGA==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-primitive": "2.0.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-slider": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-slider/-/react-slider-1.2.1.tgz", + "integrity": "sha512-bEzQoDW0XP+h/oGbutF5VMWJPAl/UU8IJjr7h02SOHDIIIxq+cep8nItVNoBV+OMmahCdqdF38FTpmXoqQUGvw==", + "license": "MIT", + "dependencies": { + "@radix-ui/number": "1.1.0", + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0", + "@radix-ui/react-use-previous": "1.1.0", + "@radix-ui/react-use-size": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-slot": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-slot/-/react-slot-1.1.0.tgz", + "integrity": "sha512-FUCf5XMfmW4dtYl69pdS4DbxKy8nj4M7SafBgPllysxmdachynNflAdp/gCsnYWNDnge6tI9onzMp5ARYc1KNw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-compose-refs": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-switch": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-switch/-/react-switch-1.1.1.tgz", + "integrity": "sha512-diPqDDoBcZPSicYoMWdWx+bCPuTRH4QSp9J+65IvtdS0Kuzt67bI6n32vCj8q6NZmYW/ah+2orOtMwcX5eQwIg==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-previous": "1.1.0", + "@radix-ui/react-use-size": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-tabs": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-tabs/-/react-tabs-1.1.1.tgz", + "integrity": "sha512-3GBUDmP2DvzmtYLMsHmpA1GtR46ZDZ+OreXM/N+kkQJOPIgytFWWTfDQmBQKBvaFS0Vno0FktdbVzN28KGrMdw==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-roving-focus": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-toast": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-toast/-/react-toast-1.2.2.tgz", + "integrity": "sha512-Z6pqSzmAP/bFJoqMAston4eSNa+ud44NSZTiZUmUen+IOZ5nBY8kzuU5WDBVyFXPtcW6yUalOHsxM/BP6Sv8ww==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-collection": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-portal": "1.1.2", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-callback-ref": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-use-layout-effect": "1.1.0", + "@radix-ui/react-visually-hidden": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-toggle": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-toggle/-/react-toggle-1.1.0.tgz", + "integrity": "sha512-gwoxaKZ0oJ4vIgzsfESBuSgJNdc0rv12VhHgcqN0TEJmmZixXG/2XpsLK8kzNWYcnaoRIEEQc0bEi3dIvdUpjw==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-toggle-group": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-toggle-group/-/react-toggle-group-1.1.0.tgz", + "integrity": "sha512-PpTJV68dZU2oqqgq75Uzto5o/XfOVgkrJ9rulVmfTKxWp3HfUjHE6CP/WLRR4AzPX9HWxw7vFow2me85Yu+Naw==", + "license": "MIT", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-context": "1.1.0", + "@radix-ui/react-direction": "1.1.0", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-roving-focus": "1.1.0", + "@radix-ui/react-toggle": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-toggle-group/node_modules/@radix-ui/react-context": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context/-/react-context-1.1.0.tgz", + "integrity": "sha512-OKrckBy+sMEgYM/sMmqmErVn0kZqrHPJze+Ql3DzYsDDp0hl0L62nx/2122/Bvps1qz645jlcu2tD9lrRSdf8A==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-tooltip": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/@radix-ui/react-tooltip/-/react-tooltip-1.1.4.tgz", + "integrity": "sha512-QpObUH/ZlpaO4YgHSaYzrLO2VuO+ZBFFgGzjMUPwtiYnAzzNNDPJeEGRrT7qNOrWm/Jr08M1vlp+vTHtnSQ0Uw==", + "dependencies": { + "@radix-ui/primitive": "1.1.0", + "@radix-ui/react-compose-refs": "1.1.0", + "@radix-ui/react-context": "1.1.1", + "@radix-ui/react-dismissable-layer": "1.1.1", + "@radix-ui/react-id": "1.1.0", + "@radix-ui/react-popper": "1.2.0", + "@radix-ui/react-portal": "1.1.2", + "@radix-ui/react-presence": "1.1.1", + "@radix-ui/react-primitive": "2.0.0", + "@radix-ui/react-slot": "1.1.0", + "@radix-ui/react-use-controllable-state": "1.1.0", + "@radix-ui/react-visually-hidden": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-use-callback-ref": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-callback-ref/-/react-use-callback-ref-1.1.0.tgz", + "integrity": "sha512-CasTfvsy+frcFkbXtSJ2Zu9JHpN8TYKxkgJGWbjiZhFivxaeW7rMeZt7QELGVLaYVfFMsKHjb7Ak0nMEe+2Vfw==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-use-controllable-state": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-controllable-state/-/react-use-controllable-state-1.1.0.tgz", + "integrity": "sha512-MtfMVJiSr2NjzS0Aa90NPTnvTSg6C/JLCV7ma0W6+OMV78vd8OyRpID+Ng9LxzsPbLeuBnWBA1Nq30AtBIDChw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-use-callback-ref": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-use-escape-keydown": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-escape-keydown/-/react-use-escape-keydown-1.1.0.tgz", + "integrity": "sha512-L7vwWlR1kTTQ3oh7g1O0CBF3YCyyTj8NmhLR+phShpyA50HCfBFKVJTpshm9PzLiKmehsrQzTYTpX9HvmC9rhw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-use-callback-ref": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-use-layout-effect": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-layout-effect/-/react-use-layout-effect-1.1.0.tgz", + "integrity": "sha512-+FPE0rOdziWSrH9athwI1R0HDVbWlEhd+FR+aSDk4uWGmSJ9Z54sdZVDQPZAinJhJXwfT+qnj969mCsT2gfm5w==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-use-previous": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-previous/-/react-use-previous-1.1.0.tgz", + "integrity": "sha512-Z/e78qg2YFnnXcW88A4JmTtm4ADckLno6F7OXotmkQfeuCVaKuYzqAATPhVzl3delXE7CxIV8shofPn3jPc5Og==", + "license": "MIT", + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-use-rect": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-rect/-/react-use-rect-1.1.0.tgz", + "integrity": "sha512-0Fmkebhr6PiseyZlYAOtLS+nb7jLmpqTrJyv61Pe68MKYW6OWdRE2kI70TaYY27u7H0lajqM3hSMMLFq18Z7nQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/rect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-use-size": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-size/-/react-use-size-1.1.0.tgz", + "integrity": "sha512-XW3/vWuIXHa+2Uwcc2ABSfcCledmXhhQPlGbfcRXbiUQI5Icjcg19BGCZVKKInYbvUCut/ufbbLLPFC5cbb1hw==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-use-layout-effect": "1.1.0" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@radix-ui/react-visually-hidden": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/react-visually-hidden/-/react-visually-hidden-1.1.0.tgz", + "integrity": "sha512-N8MDZqtgCgG5S3aV60INAB475osJousYpZ4cTJ2cFbMpdHS5Y6loLTH8LPtkj2QN0x93J30HT/M3qJXM0+lyeQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-primitive": "2.0.0" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc", + "react-dom": "^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/@radix-ui/rect": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@radix-ui/rect/-/rect-1.1.0.tgz", + "integrity": "sha512-A9+lCBZoaMJlVKcRBz2YByCG+Cp2t6nAnMnNba+XiWxnj6r4JUFqfsgwocMBZU9LPtdxC6wB56ySYpc7LQIoJg==", + "license": "MIT" + }, + "node_modules/@remix-run/router": { + "version": "1.20.0", + "resolved": "https://registry.npmjs.org/@remix-run/router/-/router-1.20.0.tgz", + "integrity": "sha512-mUnk8rPJBI9loFDZ+YzPGdeniYK+FTmRD1TMCz7ev2SNIozyKKpnGgsxO34u6Z4z/t0ITuu7voi/AshfsGsgFg==", + "license": "MIT", + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@rollup/rollup-android-arm-eabi": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-android-arm-eabi/-/rollup-android-arm-eabi-4.24.0.tgz", + "integrity": "sha512-Q6HJd7Y6xdB48x8ZNVDOqsbh2uByBhgK8PiQgPhwkIw/HC/YX5Ghq2mQY5sRMZWHb3VsFkWooUVOZHKr7DmDIA==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ] + }, + "node_modules/@rollup/rollup-android-arm64": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-android-arm64/-/rollup-android-arm64-4.24.0.tgz", + "integrity": "sha512-ijLnS1qFId8xhKjT81uBHuuJp2lU4x2yxa4ctFPtG+MqEE6+C5f/+X/bStmxapgmwLwiL3ih122xv8kVARNAZA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ] + }, + "node_modules/@rollup/rollup-darwin-arm64": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-darwin-arm64/-/rollup-darwin-arm64-4.24.0.tgz", + "integrity": "sha512-bIv+X9xeSs1XCk6DVvkO+S/z8/2AMt/2lMqdQbMrmVpgFvXlmde9mLcbQpztXm1tajC3raFDqegsH18HQPMYtA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ] + }, + "node_modules/@rollup/rollup-darwin-x64": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-darwin-x64/-/rollup-darwin-x64-4.24.0.tgz", + "integrity": "sha512-X6/nOwoFN7RT2svEQWUsW/5C/fYMBe4fnLK9DQk4SX4mgVBiTA9h64kjUYPvGQ0F/9xwJ5U5UfTbl6BEjaQdBQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ] + }, + "node_modules/@rollup/rollup-linux-arm-gnueabihf": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm-gnueabihf/-/rollup-linux-arm-gnueabihf-4.24.0.tgz", + "integrity": "sha512-0KXvIJQMOImLCVCz9uvvdPgfyWo93aHHp8ui3FrtOP57svqrF/roSSR5pjqL2hcMp0ljeGlU4q9o/rQaAQ3AYA==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-arm-musleabihf": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm-musleabihf/-/rollup-linux-arm-musleabihf-4.24.0.tgz", + "integrity": "sha512-it2BW6kKFVh8xk/BnHfakEeoLPv8STIISekpoF+nBgWM4d55CZKc7T4Dx1pEbTnYm/xEKMgy1MNtYuoA8RFIWw==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-arm64-gnu": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm64-gnu/-/rollup-linux-arm64-gnu-4.24.0.tgz", + "integrity": "sha512-i0xTLXjqap2eRfulFVlSnM5dEbTVque/3Pi4g2y7cxrs7+a9De42z4XxKLYJ7+OhE3IgxvfQM7vQc43bwTgPwA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-arm64-musl": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-arm64-musl/-/rollup-linux-arm64-musl-4.24.0.tgz", + "integrity": "sha512-9E6MKUJhDuDh604Qco5yP/3qn3y7SLXYuiC0Rpr89aMScS2UAmK1wHP2b7KAa1nSjWJc/f/Lc0Wl1L47qjiyQw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-powerpc64le-gnu": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-powerpc64le-gnu/-/rollup-linux-powerpc64le-gnu-4.24.0.tgz", + "integrity": "sha512-2XFFPJ2XMEiF5Zi2EBf4h73oR1V/lycirxZxHZNc93SqDN/IWhYYSYj8I9381ikUFXZrz2v7r2tOVk2NBwxrWw==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-riscv64-gnu": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-riscv64-gnu/-/rollup-linux-riscv64-gnu-4.24.0.tgz", + "integrity": "sha512-M3Dg4hlwuntUCdzU7KjYqbbd+BLq3JMAOhCKdBE3TcMGMZbKkDdJ5ivNdehOssMCIokNHFOsv7DO4rlEOfyKpg==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-s390x-gnu": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-s390x-gnu/-/rollup-linux-s390x-gnu-4.24.0.tgz", + "integrity": "sha512-mjBaoo4ocxJppTorZVKWFpy1bfFj9FeCMJqzlMQGjpNPY9JwQi7OuS1axzNIk0nMX6jSgy6ZURDZ2w0QW6D56g==", + "cpu": [ + "s390x" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-x64-gnu": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-x64-gnu/-/rollup-linux-x64-gnu-4.24.0.tgz", + "integrity": "sha512-ZXFk7M72R0YYFN5q13niV0B7G8/5dcQ9JDp8keJSfr3GoZeXEoMHP/HlvqROA3OMbMdfr19IjCeNAnPUG93b6A==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-x64-musl": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-linux-x64-musl/-/rollup-linux-x64-musl-4.24.0.tgz", + "integrity": "sha512-w1i+L7kAXZNdYl+vFvzSZy8Y1arS7vMgIy8wusXJzRrPyof5LAb02KGr1PD2EkRcl73kHulIID0M501lN+vobQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-win32-arm64-msvc": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-win32-arm64-msvc/-/rollup-win32-arm64-msvc-4.24.0.tgz", + "integrity": "sha512-VXBrnPWgBpVDCVY6XF3LEW0pOU51KbaHhccHw6AS6vBWIC60eqsH19DAeeObl+g8nKAz04QFdl/Cefta0xQtUQ==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@rollup/rollup-win32-ia32-msvc": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-win32-ia32-msvc/-/rollup-win32-ia32-msvc-4.24.0.tgz", + "integrity": "sha512-xrNcGDU0OxVcPTH/8n/ShH4UevZxKIO6HJFK0e15XItZP2UcaiLFd5kiX7hJnqCbSztUF8Qot+JWBC/QXRPYWQ==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@rollup/rollup-win32-x64-msvc": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/@rollup/rollup-win32-x64-msvc/-/rollup-win32-x64-msvc-4.24.0.tgz", + "integrity": "sha512-fbMkAF7fufku0N2dE5TBXcNlg0pt0cJue4xBRE2Qc5Vqikxr4VCgKj/ht6SMdFcOacVA9rqF70APJ8RN/4vMJw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@swc/core": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core/-/core-1.7.39.tgz", + "integrity": "sha512-jns6VFeOT49uoTKLWIEfiQqJAlyqldNAt80kAr8f7a5YjX0zgnG3RBiLMpksx4Ka4SlK4O6TJ/lumIM3Trp82g==", + "dev": true, + "hasInstallScript": true, + "license": "Apache-2.0", + "dependencies": { + "@swc/counter": "^0.1.3", + "@swc/types": "^0.1.13" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/swc" + }, + "optionalDependencies": { + "@swc/core-darwin-arm64": "1.7.39", + "@swc/core-darwin-x64": "1.7.39", + "@swc/core-linux-arm-gnueabihf": "1.7.39", + "@swc/core-linux-arm64-gnu": "1.7.39", + "@swc/core-linux-arm64-musl": "1.7.39", + "@swc/core-linux-x64-gnu": "1.7.39", + "@swc/core-linux-x64-musl": "1.7.39", + "@swc/core-win32-arm64-msvc": "1.7.39", + "@swc/core-win32-ia32-msvc": "1.7.39", + "@swc/core-win32-x64-msvc": "1.7.39" + }, + "peerDependencies": { + "@swc/helpers": "*" + }, + "peerDependenciesMeta": { + "@swc/helpers": { + "optional": true + } + } + }, + "node_modules/@swc/core-darwin-arm64": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-darwin-arm64/-/core-darwin-arm64-1.7.39.tgz", + "integrity": "sha512-o2nbEL6scMBMCTvY9OnbyVXtepLuNbdblV9oNJEFia5v5eGj9WMrnRQiylH3Wp/G2NYkW7V1/ZVW+kfvIeYe9A==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-darwin-x64": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-darwin-x64/-/core-darwin-x64-1.7.39.tgz", + "integrity": "sha512-qMlv3XPgtPi/Fe11VhiPDHSLiYYk2dFYl747oGsHZPq+6tIdDQjIhijXPcsUHIXYDyG7lNpODPL8cP/X1sc9MA==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-linux-arm-gnueabihf": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-linux-arm-gnueabihf/-/core-linux-arm-gnueabihf-1.7.39.tgz", + "integrity": "sha512-NP+JIkBs1ZKnpa3Lk2W1kBJMwHfNOxCUJXuTa2ckjFsuZ8OUu2gwdeLFkTHbR43dxGwH5UzSmuGocXeMowra/Q==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "Apache-2.0", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-linux-arm64-gnu": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-linux-arm64-gnu/-/core-linux-arm64-gnu-1.7.39.tgz", + "integrity": "sha512-cPc+/HehyHyHcvAsk3ML/9wYcpWVIWax3YBaA+ScecJpSE04l/oBHPfdqKUPslqZ+Gcw0OWnIBGJT/fBZW2ayw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-linux-arm64-musl": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-linux-arm64-musl/-/core-linux-arm64-musl-1.7.39.tgz", + "integrity": "sha512-8RxgBC6ubFem66bk9XJ0vclu3exJ6eD7x7CwDhp5AD/tulZslTYXM7oNPjEtje3xxabXuj/bEUMNvHZhQRFdqA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-linux-x64-gnu": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-linux-x64-gnu/-/core-linux-x64-gnu-1.7.39.tgz", + "integrity": "sha512-3gtCPEJuXLQEolo9xsXtuPDocmXQx12vewEyFFSMSjOfakuPOBmOQMa0sVL8Wwius8C1eZVeD1fgk0omMqeC+Q==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-linux-x64-musl": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-linux-x64-musl/-/core-linux-x64-musl-1.7.39.tgz", + "integrity": "sha512-mg39pW5x/eqqpZDdtjZJxrUvQNSvJF4O8wCl37fbuFUqOtXs4TxsjZ0aolt876HXxxhsQl7rS+N4KioEMSgTZw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-win32-arm64-msvc": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-win32-arm64-msvc/-/core-win32-arm64-msvc-1.7.39.tgz", + "integrity": "sha512-NZwuS0mNJowH3e9bMttr7B1fB8bW5svW/yyySigv9qmV5VcQRNz1kMlCvrCLYRsa93JnARuiaBI6FazSeG8mpA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-win32-ia32-msvc": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-win32-ia32-msvc/-/core-win32-ia32-msvc-1.7.39.tgz", + "integrity": "sha512-qFmvv5UExbJPXhhvCVDBnjK5Duqxr048dlVB6ZCgGzbRxuarOlawCzzLK4N172230pzlAWGLgn9CWl3+N6zfHA==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/core-win32-x64-msvc": { + "version": "1.7.39", + "resolved": "https://registry.npmjs.org/@swc/core-win32-x64-msvc/-/core-win32-x64-msvc-1.7.39.tgz", + "integrity": "sha512-o+5IMqgOtj9+BEOp16atTfBgCogVak9svhBpwsbcJQp67bQbxGYhAPPDW/hZ2rpSSF7UdzbY9wudoX9G4trcuQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "Apache-2.0 AND MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=10" + } + }, + "node_modules/@swc/counter": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/@swc/counter/-/counter-0.1.3.tgz", + "integrity": "sha512-e2BR4lsJkkRlKZ/qCHPw9ZaSxc0MVUd7gtbtaB7aMvHeJVYe8sOB8DBZkP2DtISHGSku9sCK6T6cnY0CtXrOCQ==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/@swc/types": { + "version": "0.1.13", + "resolved": "https://registry.npmjs.org/@swc/types/-/types-0.1.13.tgz", + "integrity": "sha512-JL7eeCk6zWCbiYQg2xQSdLXQJl8Qoc9rXmG2cEKvHe3CKwMHwHGpfOb8frzNLmbycOo6I51qxnLnn9ESf4I20Q==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@swc/counter": "^0.1.3" + } + }, + "node_modules/@tailwindcss/typography": { + "version": "0.5.15", + "resolved": "https://registry.npmjs.org/@tailwindcss/typography/-/typography-0.5.15.tgz", + "integrity": "sha512-AqhlCXl+8grUz8uqExv5OTtgpjuVIwFTSXTrh8y9/pw6q2ek7fJ+Y8ZEVw7EB2DCcuCOtEjf9w3+J3rzts01uA==", + "dev": true, + "dependencies": { + "lodash.castarray": "^4.4.0", + "lodash.isplainobject": "^4.0.6", + "lodash.merge": "^4.6.2", + "postcss-selector-parser": "6.0.10" + }, + "peerDependencies": { + "tailwindcss": ">=3.0.0 || insiders || >=4.0.0-alpha.20" + } + }, + "node_modules/@tailwindcss/typography/node_modules/postcss-selector-parser": { + "version": "6.0.10", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.0.10.tgz", + "integrity": "sha512-IQ7TZdoaqbT+LCpShg46jnZVlhWD2w6iQYAcYXfHARZ7X1t/UGhhceQDs5X0cGqKvYlHNOuv7Oa1xmb0oQuA3w==", + "dev": true, + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/@tanstack/query-core": { + "version": "5.59.16", + "resolved": "https://registry.npmjs.org/@tanstack/query-core/-/query-core-5.59.16.tgz", + "integrity": "sha512-crHn+G3ltqb5JG0oUv6q+PMz1m1YkjpASrXTU+sYWW9pLk0t2GybUHNRqYPZWhxgjPaVGC4yp92gSFEJgYEsPw==", + "license": "MIT", + "funding": { + "type": "github", + "url": "https://github.com/sponsors/tannerlinsley" + } + }, + "node_modules/@tanstack/react-query": { + "version": "5.59.16", + "resolved": "https://registry.npmjs.org/@tanstack/react-query/-/react-query-5.59.16.tgz", + "integrity": "sha512-MuyWheG47h6ERd4PKQ6V8gDyBu3ThNG22e1fRVwvq6ap3EqsFhyuxCAwhNP/03m/mLg+DAb0upgbPaX6VB+CkQ==", + "license": "MIT", + "dependencies": { + "@tanstack/query-core": "5.59.16" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/tannerlinsley" + }, + "peerDependencies": { + "react": "^18 || ^19" + } + }, + "node_modules/@types/d3-array": { + "version": "3.2.1", + "resolved": "https://registry.npmjs.org/@types/d3-array/-/d3-array-3.2.1.tgz", + "integrity": "sha512-Y2Jn2idRrLzUfAKV2LyRImR+y4oa2AntrgID95SHJxuMUrkNXmanDSed71sRNZysveJVt1hLLemQZIady0FpEg==", + "license": "MIT" + }, + "node_modules/@types/d3-color": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/@types/d3-color/-/d3-color-3.1.3.tgz", + "integrity": "sha512-iO90scth9WAbmgv7ogoq57O9YpKmFBbmoEoCHDB2xMBY0+/KVrqAaCDyCE16dUspeOvIxFFRI+0sEtqDqy2b4A==", + "license": "MIT" + }, + "node_modules/@types/d3-ease": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/@types/d3-ease/-/d3-ease-3.0.2.tgz", + "integrity": "sha512-NcV1JjO5oDzoK26oMzbILE6HW7uVXOHLQvHshBUW4UMdZGfiY6v5BeQwh9a9tCzv+CeefZQHJt5SRgK154RtiA==", + "license": "MIT" + }, + "node_modules/@types/d3-interpolate": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/@types/d3-interpolate/-/d3-interpolate-3.0.4.tgz", + "integrity": "sha512-mgLPETlrpVV1YRJIglr4Ez47g7Yxjl1lj7YKsiMCb27VJH9W8NVM6Bb9d8kkpG/uAQS5AmbA48q2IAolKKo1MA==", + "license": "MIT", + "dependencies": { + "@types/d3-color": "*" + } + }, + "node_modules/@types/d3-path": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/@types/d3-path/-/d3-path-3.1.0.tgz", + "integrity": "sha512-P2dlU/q51fkOc/Gfl3Ul9kicV7l+ra934qBFXCFhrZMOL6du1TM0pm1ThYvENukyOn5h9v+yMJ9Fn5JK4QozrQ==", + "license": "MIT" + }, + "node_modules/@types/d3-scale": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/@types/d3-scale/-/d3-scale-4.0.8.tgz", + "integrity": "sha512-gkK1VVTr5iNiYJ7vWDI+yUFFlszhNMtVeneJ6lUTKPjprsvLLI9/tgEGiXJOnlINJA8FyA88gfnQsHbybVZrYQ==", + "license": "MIT", + "dependencies": { + "@types/d3-time": "*" + } + }, + "node_modules/@types/d3-shape": { + "version": "3.1.6", + "resolved": "https://registry.npmjs.org/@types/d3-shape/-/d3-shape-3.1.6.tgz", + "integrity": "sha512-5KKk5aKGu2I+O6SONMYSNflgiP0WfZIQvVUMan50wHsLG1G94JlxEVnCpQARfTtzytuY0p/9PXXZb3I7giofIA==", + "license": "MIT", + "dependencies": { + "@types/d3-path": "*" + } + }, + "node_modules/@types/d3-time": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@types/d3-time/-/d3-time-3.0.3.tgz", + "integrity": "sha512-2p6olUZ4w3s+07q3Tm2dbiMZy5pCDfYwtLXXHUnVzXgQlZ/OyPtUz6OL382BkOuGlLXqfT+wqv8Fw2v8/0geBw==", + "license": "MIT" + }, + "node_modules/@types/d3-timer": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/@types/d3-timer/-/d3-timer-3.0.2.tgz", + "integrity": "sha512-Ps3T8E8dZDam6fUyNiMkekK3XUsaUEik+idO9/YjPtfj2qruF8tFBXS7XhtE4iIXBLxhmLjP3SXpLhVf21I9Lw==", + "license": "MIT" + }, + "node_modules/@types/estree": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/@types/estree/-/estree-1.0.6.tgz", + "integrity": "sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/json-schema": { + "version": "7.0.15", + "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz", + "integrity": "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/node": { + "version": "22.7.9", + "resolved": "https://registry.npmjs.org/@types/node/-/node-22.7.9.tgz", + "integrity": "sha512-jrTfRC7FM6nChvU7X2KqcrgquofrWLFDeYC1hKfwNWomVvrn7JIksqf344WN2X/y8xrgqBd2dJATZV4GbatBfg==", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~6.19.2" + } + }, + "node_modules/@types/prop-types": { + "version": "15.7.13", + "resolved": "https://registry.npmjs.org/@types/prop-types/-/prop-types-15.7.13.tgz", + "integrity": "sha512-hCZTSvwbzWGvhqxp/RqVqwU999pBf2vp7hzIjiYOsl8wqOmUxkQ6ddw1cV3l8811+kdUFus/q4d1Y3E3SyEifA==", + "devOptional": true, + "license": "MIT" + }, + "node_modules/@types/react": { + "version": "18.3.12", + "resolved": "https://registry.npmjs.org/@types/react/-/react-18.3.12.tgz", + "integrity": "sha512-D2wOSq/d6Agt28q7rSI3jhU7G6aiuzljDGZ2hTZHIkrTLUI+AF3WMeKkEZ9nN2fkBAlcktT6vcZjDFiIhMYEQw==", + "devOptional": true, + "license": "MIT", + "dependencies": { + "@types/prop-types": "*", + "csstype": "^3.0.2" + } + }, + "node_modules/@types/react-dom": { + "version": "18.3.1", + "resolved": "https://registry.npmjs.org/@types/react-dom/-/react-dom-18.3.1.tgz", + "integrity": "sha512-qW1Mfv8taImTthu4KoXgDfLuk4bydU6Q/TkADnDWWHwi4NX4BR+LWfTp2sVmTqRrsHvyDDTelgelxJ+SsejKKQ==", + "devOptional": true, + "license": "MIT", + "dependencies": { + "@types/react": "*" + } + }, + "node_modules/@typescript-eslint/eslint-plugin": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/eslint-plugin/-/eslint-plugin-8.11.0.tgz", + "integrity": "sha512-KhGn2LjW1PJT2A/GfDpiyOfS4a8xHQv2myUagTM5+zsormOmBlYsnQ6pobJ8XxJmh6hnHwa2Mbe3fPrDJoDhbA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@eslint-community/regexpp": "^4.10.0", + "@typescript-eslint/scope-manager": "8.11.0", + "@typescript-eslint/type-utils": "8.11.0", + "@typescript-eslint/utils": "8.11.0", + "@typescript-eslint/visitor-keys": "8.11.0", + "graphemer": "^1.4.0", + "ignore": "^5.3.1", + "natural-compare": "^1.4.0", + "ts-api-utils": "^1.3.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependencies": { + "@typescript-eslint/parser": "^8.0.0 || ^8.0.0-alpha.0", + "eslint": "^8.57.0 || ^9.0.0" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/parser": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/parser/-/parser-8.11.0.tgz", + "integrity": "sha512-lmt73NeHdy1Q/2ul295Qy3uninSqi6wQI18XwSpm8w0ZbQXUpjCAWP1Vlv/obudoBiIjJVjlztjQ+d/Md98Yxg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "@typescript-eslint/scope-manager": "8.11.0", + "@typescript-eslint/types": "8.11.0", + "@typescript-eslint/typescript-estree": "8.11.0", + "@typescript-eslint/visitor-keys": "8.11.0", + "debug": "^4.3.4" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependencies": { + "eslint": "^8.57.0 || ^9.0.0" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/scope-manager": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/scope-manager/-/scope-manager-8.11.0.tgz", + "integrity": "sha512-Uholz7tWhXmA4r6epo+vaeV7yjdKy5QFCERMjs1kMVsLRKIrSdM6o21W2He9ftp5PP6aWOVpD5zvrvuHZC0bMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/types": "8.11.0", + "@typescript-eslint/visitor-keys": "8.11.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + } + }, + "node_modules/@typescript-eslint/type-utils": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/type-utils/-/type-utils-8.11.0.tgz", + "integrity": "sha512-ItiMfJS6pQU0NIKAaybBKkuVzo6IdnAhPFZA/2Mba/uBjuPQPet/8+zh5GtLHwmuFRShZx+8lhIs7/QeDHflOg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/typescript-estree": "8.11.0", + "@typescript-eslint/utils": "8.11.0", + "debug": "^4.3.4", + "ts-api-utils": "^1.3.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/types": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/types/-/types-8.11.0.tgz", + "integrity": "sha512-tn6sNMHf6EBAYMvmPUaKaVeYvhUsrE6x+bXQTxjQRp360h1giATU0WvgeEys1spbvb5R+VpNOZ+XJmjD8wOUHw==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + } + }, + "node_modules/@typescript-eslint/typescript-estree": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/typescript-estree/-/typescript-estree-8.11.0.tgz", + "integrity": "sha512-yHC3s1z1RCHoCz5t06gf7jH24rr3vns08XXhfEqzYpd6Hll3z/3g23JRi0jM8A47UFKNc3u/y5KIMx8Ynbjohg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "@typescript-eslint/types": "8.11.0", + "@typescript-eslint/visitor-keys": "8.11.0", + "debug": "^4.3.4", + "fast-glob": "^3.3.2", + "is-glob": "^4.0.3", + "minimatch": "^9.0.4", + "semver": "^7.6.0", + "ts-api-utils": "^1.3.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/typescript-estree/node_modules/brace-expansion": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz", + "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/@typescript-eslint/typescript-estree/node_modules/minimatch": { + "version": "9.0.5", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz", + "integrity": "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/@typescript-eslint/utils": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/utils/-/utils-8.11.0.tgz", + "integrity": "sha512-CYiX6WZcbXNJV7UNB4PLDIBtSdRmRI/nb0FMyqHPTQD1rMjA0foPLaPUV39C/MxkTd/QKSeX+Gb34PPsDVC35g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@eslint-community/eslint-utils": "^4.4.0", + "@typescript-eslint/scope-manager": "8.11.0", + "@typescript-eslint/types": "8.11.0", + "@typescript-eslint/typescript-estree": "8.11.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependencies": { + "eslint": "^8.57.0 || ^9.0.0" + } + }, + "node_modules/@typescript-eslint/visitor-keys": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/@typescript-eslint/visitor-keys/-/visitor-keys-8.11.0.tgz", + "integrity": "sha512-EaewX6lxSjRJnc+99+dqzTeoDZUfyrA52d2/HRrkI830kgovWsmIiTfmr0NZorzqic7ga+1bS60lRBUgR3n/Bw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/types": "8.11.0", + "eslint-visitor-keys": "^3.4.3" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + } + }, + "node_modules/@typescript-eslint/visitor-keys/node_modules/eslint-visitor-keys": { + "version": "3.4.3", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", + "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/@vitejs/plugin-react-swc": { + "version": "3.7.1", + "resolved": "https://registry.npmjs.org/@vitejs/plugin-react-swc/-/plugin-react-swc-3.7.1.tgz", + "integrity": "sha512-vgWOY0i1EROUK0Ctg1hwhtC3SdcDjZcdit4Ups4aPkDcB1jYhmo+RMYWY87cmXMhvtD5uf8lV89j2w16vkdSVg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@swc/core": "^1.7.26" + }, + "peerDependencies": { + "vite": "^4 || ^5" + } + }, + "node_modules/acorn": { + "version": "8.13.0", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.13.0.tgz", + "integrity": "sha512-8zSiw54Oxrdym50NlZ9sUusyO1Z1ZchgRLWRaK6c86XJFClyCgFKetdowBg5bKxyp/u+CDBJG4Mpp0m3HLZl9w==", + "dev": true, + "license": "MIT", + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-jsx": { + "version": "5.3.2", + "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz", + "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" + } + }, + "node_modules/ajv": { + "version": "6.12.6", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", + "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-deep-equal": "^3.1.1", + "fast-json-stable-stringify": "^2.0.0", + "json-schema-traverse": "^0.4.1", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ansi-regex": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-6.1.0.tgz", + "integrity": "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA==", + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/ansi-regex?sponsor=1" + } + }, + "node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "license": "MIT", + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/any-promise": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/any-promise/-/any-promise-1.3.0.tgz", + "integrity": "sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==", + "license": "MIT" + }, + "node_modules/anymatch": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", + "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", + "license": "ISC", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/arg": { + "version": "5.0.2", + "resolved": "https://registry.npmjs.org/arg/-/arg-5.0.2.tgz", + "integrity": "sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==", + "license": "MIT" + }, + "node_modules/argparse": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", + "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", + "dev": true, + "license": "Python-2.0" + }, + "node_modules/aria-hidden": { + "version": "1.2.4", + "resolved": "https://registry.npmjs.org/aria-hidden/-/aria-hidden-1.2.4.tgz", + "integrity": "sha512-y+CcFFwelSXpLZk/7fMB2mUbGtX9lKycf1MWJ7CaTIERyitVlyQx6C+sxcROU2BAJ24OiZyK+8wj2i8AlBoS3A==", + "license": "MIT", + "dependencies": { + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/autoprefixer": { + "version": "10.4.20", + "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.20.tgz", + "integrity": "sha512-XY25y5xSv/wEoqzDyXXME4AFfkZI0P23z6Fs3YgymDnKJkCGOnkL0iTxCa85UTqaSgfcqyf3UA6+c7wUvx/16g==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/autoprefixer" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "browserslist": "^4.23.3", + "caniuse-lite": "^1.0.30001646", + "fraction.js": "^4.3.7", + "normalize-range": "^0.1.2", + "picocolors": "^1.0.1", + "postcss-value-parser": "^4.2.0" + }, + "bin": { + "autoprefixer": "bin/autoprefixer" + }, + "engines": { + "node": "^10 || ^12 || >=14" + }, + "peerDependencies": { + "postcss": "^8.1.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "license": "MIT" + }, + "node_modules/binary-extensions": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.3.0.tgz", + "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", + "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", + "license": "MIT", + "dependencies": { + "fill-range": "^7.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/browserslist": { + "version": "4.24.2", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.24.2.tgz", + "integrity": "sha512-ZIc+Q62revdMcqC6aChtW4jz3My3klmCO1fEmINZY/8J3EpBg5/A/D0AKmBveUh6pgoeycoMkVMko84tuYS+Gg==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "caniuse-lite": "^1.0.30001669", + "electron-to-chromium": "^1.5.41", + "node-releases": "^2.0.18", + "update-browserslist-db": "^1.1.1" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + } + }, + "node_modules/callsites": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/camelcase-css": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/camelcase-css/-/camelcase-css-2.0.1.tgz", + "integrity": "sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==", + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001669", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001669.tgz", + "integrity": "sha512-DlWzFDJqstqtIVx1zeSpIMLjunf5SmwOw0N2Ck/QSQdS8PLS4+9HrLaYei4w8BIAL7IB/UEDu889d8vhCTPA0w==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/caniuse-lite" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "CC-BY-4.0" + }, + "node_modules/chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "node_modules/chokidar": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz", + "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", + "license": "MIT", + "dependencies": { + "anymatch": "~3.1.2", + "braces": "~3.0.2", + "glob-parent": "~5.1.2", + "is-binary-path": "~2.1.0", + "is-glob": "~4.0.1", + "normalize-path": "~3.0.0", + "readdirp": "~3.6.0" + }, + "engines": { + "node": ">= 8.10.0" + }, + "funding": { + "url": "https://paulmillr.com/funding/" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/chokidar/node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/class-variance-authority": { + "version": "0.7.1", + "resolved": "https://registry.npmjs.org/class-variance-authority/-/class-variance-authority-0.7.1.tgz", + "integrity": "sha512-Ka+9Trutv7G8M6WT6SeiRWz792K5qEqIGEGzXKhAE6xOWAY6pPH8U+9IY3oCMv6kqTmLsv7Xh/2w2RigkePMsg==", + "dependencies": { + "clsx": "^2.1.1" + }, + "funding": { + "url": "https://polar.sh/cva" + } + }, + "node_modules/clsx": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/clsx/-/clsx-2.1.1.tgz", + "integrity": "sha512-eYm0QWBtUrBWZWG0d386OGAw16Z995PiOVo2B7bjWSbHedGl5e0ZWaq65kOGgUSNesEIDkB9ISbTg/JK9dhCZA==", + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/cmdk": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/cmdk/-/cmdk-1.0.0.tgz", + "integrity": "sha512-gDzVf0a09TvoJ5jnuPvygTB77+XdOSwEmJ88L6XPFPlv7T3RxbP9jgenfylrAMD0+Le1aO0nVjQUzl2g+vjz5Q==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-dialog": "1.0.5", + "@radix-ui/react-primitive": "1.0.3" + }, + "peerDependencies": { + "react": "^18.0.0", + "react-dom": "^18.0.0" + } + }, + "node_modules/cmdk/node_modules/@radix-ui/primitive": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/primitive/-/primitive-1.0.1.tgz", + "integrity": "sha512-yQ8oGX2GVsEYMWGxcovu1uGWPCxV5BFfeeYxqPmuAzUyLT9qmaMXSAhXpb0WrspIeqYzdJpkh2vHModJPgRIaw==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10" + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-compose-refs": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-compose-refs/-/react-compose-refs-1.0.1.tgz", + "integrity": "sha512-fDSBgd44FKHa1FRMU59qBMPFcl2PZE+2nmqunj+BWFyYYjnhIDWL2ItDs3rrbJDQOtzt5nIebLCQc4QRfz6LJw==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-context": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-context/-/react-context-1.0.1.tgz", + "integrity": "sha512-ebbrdFoYTcuZ0v4wG5tedGnp9tzcV8awzsxYph7gXUyvnNLuTIcCk1q17JEbnVhXAKG9oX3KtchwiMIAYp9NLg==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-dialog": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/@radix-ui/react-dialog/-/react-dialog-1.0.5.tgz", + "integrity": "sha512-GjWJX/AUpB703eEBanuBnIWdIXg6NvJFCXcNlSZk4xdszCdhrJgBoUd1cGk67vFO+WdA2pfI/plOpqz/5GUP6Q==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/primitive": "1.0.1", + "@radix-ui/react-compose-refs": "1.0.1", + "@radix-ui/react-context": "1.0.1", + "@radix-ui/react-dismissable-layer": "1.0.5", + "@radix-ui/react-focus-guards": "1.0.1", + "@radix-ui/react-focus-scope": "1.0.4", + "@radix-ui/react-id": "1.0.1", + "@radix-ui/react-portal": "1.0.4", + "@radix-ui/react-presence": "1.0.1", + "@radix-ui/react-primitive": "1.0.3", + "@radix-ui/react-slot": "1.0.2", + "@radix-ui/react-use-controllable-state": "1.0.1", + "aria-hidden": "^1.1.1", + "react-remove-scroll": "2.5.5" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-dismissable-layer": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/@radix-ui/react-dismissable-layer/-/react-dismissable-layer-1.0.5.tgz", + "integrity": "sha512-aJeDjQhywg9LBu2t/At58hCvr7pEm0o2Ke1x33B+MhjNmmZ17sy4KImo0KPLgsnc/zN7GPdce8Cnn0SWvwZO7g==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/primitive": "1.0.1", + "@radix-ui/react-compose-refs": "1.0.1", + "@radix-ui/react-primitive": "1.0.3", + "@radix-ui/react-use-callback-ref": "1.0.1", + "@radix-ui/react-use-escape-keydown": "1.0.3" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-focus-guards": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-focus-guards/-/react-focus-guards-1.0.1.tgz", + "integrity": "sha512-Rect2dWbQ8waGzhMavsIbmSVCgYxkXLxxR3ZvCX79JOglzdEy4JXMb98lq4hPxUbLr77nP0UOGf4rcMU+s1pUA==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-focus-scope": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/@radix-ui/react-focus-scope/-/react-focus-scope-1.0.4.tgz", + "integrity": "sha512-sL04Mgvf+FmyvZeYfNu1EPAaaxD+aw7cYeIB9L9Fvq8+urhltTRaEo5ysKOpHuKPclsZcSUMKlN05x4u+CINpA==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-compose-refs": "1.0.1", + "@radix-ui/react-primitive": "1.0.3", + "@radix-ui/react-use-callback-ref": "1.0.1" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-id": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-id/-/react-id-1.0.1.tgz", + "integrity": "sha512-tI7sT/kqYp8p96yGWY1OAnLHrqDgzHefRBKQ2YAkBS5ja7QLcZ9Z/uY7bEjPUatf8RomoXM8/1sMj1IJaE5UzQ==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-use-layout-effect": "1.0.1" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-portal": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/@radix-ui/react-portal/-/react-portal-1.0.4.tgz", + "integrity": "sha512-Qki+C/EuGUVCQTOTD5vzJzJuMUlewbzuKyUy+/iHM2uwGiru9gZeBJtHAPKAEkB5KWGi9mP/CHKcY0wt1aW45Q==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-primitive": "1.0.3" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-presence": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-presence/-/react-presence-1.0.1.tgz", + "integrity": "sha512-UXLW4UAbIY5ZjcvzjfRFo5gxva8QirC9hF7wRE4U5gz+TP0DbRk+//qyuAQ1McDxBt1xNMBTaciFGvEmJvAZCg==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-compose-refs": "1.0.1", + "@radix-ui/react-use-layout-effect": "1.0.1" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-primitive": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/@radix-ui/react-primitive/-/react-primitive-1.0.3.tgz", + "integrity": "sha512-yi58uVyoAcK/Nq1inRY56ZSjKypBNKTa/1mcL8qdl6oJeEaDbOldlzrGn7P6Q3Id5d+SYNGc5AJgc4vGhjs5+g==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-slot": "1.0.2" + }, + "peerDependencies": { + "@types/react": "*", + "@types/react-dom": "*", + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + }, + "@types/react-dom": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-slot": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@radix-ui/react-slot/-/react-slot-1.0.2.tgz", + "integrity": "sha512-YeTpuq4deV+6DusvVUW4ivBgnkHwECUu0BiN43L5UCDFgdhsRUWAghhTF5MbvNTPzmiFOx90asDSUjWuCNapwg==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-compose-refs": "1.0.1" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-use-callback-ref": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-callback-ref/-/react-use-callback-ref-1.0.1.tgz", + "integrity": "sha512-D94LjX4Sp0xJFVaoQOd3OO9k7tpBYNOXdVhkltUbGv2Qb9OXdrg/CpsjlZv7ia14Sylv398LswWBVVu5nqKzAQ==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-use-controllable-state": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-controllable-state/-/react-use-controllable-state-1.0.1.tgz", + "integrity": "sha512-Svl5GY5FQeN758fWKrjM6Qb7asvXeiZltlT4U2gVfl8Gx5UAv2sMR0LWo8yhsIZh2oQ0eFdZ59aoOOMV7b47VA==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-use-callback-ref": "1.0.1" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-use-escape-keydown": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-escape-keydown/-/react-use-escape-keydown-1.0.3.tgz", + "integrity": "sha512-vyL82j40hcFicA+M4Ex7hVkB9vHgSse1ZWomAqV2Je3RleKGO5iM8KMOEtfoSB0PnIelMd2lATjTGMYqN5ylTg==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10", + "@radix-ui/react-use-callback-ref": "1.0.1" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/@radix-ui/react-use-layout-effect": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@radix-ui/react-use-layout-effect/-/react-use-layout-effect-1.0.1.tgz", + "integrity": "sha512-v/5RegiJWYdoCvMnITBkNNx6bCj20fiaJnWtRkU18yITptraXjffz5Qbn05uOiQnOvi+dbkznkoaMltz1GnszQ==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.13.10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8 || ^17.0 || ^18.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/cmdk/node_modules/react-remove-scroll": { + "version": "2.5.5", + "resolved": "https://registry.npmjs.org/react-remove-scroll/-/react-remove-scroll-2.5.5.tgz", + "integrity": "sha512-ImKhrzJJsyXJfBZ4bzu8Bwpka14c/fQt0k+cyFp/PBhTfyDnU5hjOtM4AG/0AMyy8oKzOTR0lDgJIM7pYXI0kw==", + "license": "MIT", + "dependencies": { + "react-remove-scroll-bar": "^2.3.3", + "react-style-singleton": "^2.2.1", + "tslib": "^2.1.0", + "use-callback-ref": "^1.3.0", + "use-sidecar": "^1.1.2" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "license": "MIT", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "license": "MIT" + }, + "node_modules/commander": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/commander/-/commander-4.1.1.tgz", + "integrity": "sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==", + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", + "dev": true, + "license": "MIT" + }, + "node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/cssesc": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/cssesc/-/cssesc-3.0.0.tgz", + "integrity": "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==", + "license": "MIT", + "bin": { + "cssesc": "bin/cssesc" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/csstype": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz", + "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==", + "license": "MIT" + }, + "node_modules/d3-array": { + "version": "3.2.4", + "resolved": "https://registry.npmjs.org/d3-array/-/d3-array-3.2.4.tgz", + "integrity": "sha512-tdQAmyA18i4J7wprpYq8ClcxZy3SC31QMeByyCFyRt7BVHdREQZ5lpzoe5mFEYZUWe+oq8HBvk9JjpibyEV4Jg==", + "license": "ISC", + "dependencies": { + "internmap": "1 - 2" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-color": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/d3-color/-/d3-color-3.1.0.tgz", + "integrity": "sha512-zg/chbXyeBtMQ1LbD/WSoW2DpC3I0mpmPdW+ynRTj/x2DAWYrIY7qeZIHidozwV24m4iavr15lNwIwLxRmOxhA==", + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-ease": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/d3-ease/-/d3-ease-3.0.1.tgz", + "integrity": "sha512-wR/XK3D3XcLIZwpbvQwQ5fK+8Ykds1ip7A2Txe0yxncXSdq1L9skcG7blcedkOX+ZcgxGAmLX1FrRGbADwzi0w==", + "license": "BSD-3-Clause", + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-format": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/d3-format/-/d3-format-3.1.0.tgz", + "integrity": "sha512-YyUI6AEuY/Wpt8KWLgZHsIU86atmikuoOmCfommt0LYHiQSPjvX2AcFc38PX0CBpr2RCyZhjex+NS/LPOv6YqA==", + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-interpolate": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/d3-interpolate/-/d3-interpolate-3.0.1.tgz", + "integrity": "sha512-3bYs1rOD33uo8aqJfKP3JWPAibgw8Zm2+L9vBKEHJ2Rg+viTR7o5Mmv5mZcieN+FRYaAOWX5SJATX6k1PWz72g==", + "license": "ISC", + "dependencies": { + "d3-color": "1 - 3" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-path": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/d3-path/-/d3-path-3.1.0.tgz", + "integrity": "sha512-p3KP5HCf/bvjBSSKuXid6Zqijx7wIfNW+J/maPs+iwR35at5JCbLUT0LzF1cnjbCHWhqzQTIN2Jpe8pRebIEFQ==", + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-scale": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/d3-scale/-/d3-scale-4.0.2.tgz", + "integrity": "sha512-GZW464g1SH7ag3Y7hXjf8RoUuAFIqklOAq3MRl4OaWabTFJY9PN/E1YklhXLh+OQ3fM9yS2nOkCoS+WLZ6kvxQ==", + "license": "ISC", + "dependencies": { + "d3-array": "2.10.0 - 3", + "d3-format": "1 - 3", + "d3-interpolate": "1.2.0 - 3", + "d3-time": "2.1.1 - 3", + "d3-time-format": "2 - 4" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-shape": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/d3-shape/-/d3-shape-3.2.0.tgz", + "integrity": "sha512-SaLBuwGm3MOViRq2ABk3eLoxwZELpH6zhl3FbAoJ7Vm1gofKx6El1Ib5z23NUEhF9AsGl7y+dzLe5Cw2AArGTA==", + "license": "ISC", + "dependencies": { + "d3-path": "^3.1.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-time": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/d3-time/-/d3-time-3.1.0.tgz", + "integrity": "sha512-VqKjzBLejbSMT4IgbmVgDjpkYrNWUYJnbCGo874u7MMKIWsILRX+OpX/gTk8MqjpT1A/c6HY2dCA77ZN0lkQ2Q==", + "license": "ISC", + "dependencies": { + "d3-array": "2 - 3" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-time-format": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/d3-time-format/-/d3-time-format-4.1.0.tgz", + "integrity": "sha512-dJxPBlzC7NugB2PDLwo9Q8JiTR3M3e4/XANkreKSUxF8vvXKqm1Yfq4Q5dl8budlunRVlUUaDUgFt7eA8D6NLg==", + "license": "ISC", + "dependencies": { + "d3-time": "1 - 3" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/d3-timer": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/d3-timer/-/d3-timer-3.0.1.tgz", + "integrity": "sha512-ndfJ/JxxMd3nw31uyKoY2naivF+r29V+Lc0svZxe1JvvIRmi8hUsrMvdOwgS1o6uBHmiz91geQ0ylPP0aj1VUA==", + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/date-fns": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/date-fns/-/date-fns-3.6.0.tgz", + "integrity": "sha512-fRHTG8g/Gif+kSh50gaGEdToemgfj74aRX3swtiouboip5JDLAyDE9F11nHMIcvOaXeOC6D7SpNhi7uFyB7Uww==", + "license": "MIT", + "funding": { + "type": "github", + "url": "https://github.com/sponsors/kossnocorp" + } + }, + "node_modules/debug": { + "version": "4.3.7", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.7.tgz", + "integrity": "sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/decimal.js-light": { + "version": "2.5.1", + "resolved": "https://registry.npmjs.org/decimal.js-light/-/decimal.js-light-2.5.1.tgz", + "integrity": "sha512-qIMFpTMZmny+MMIitAB6D7iVPEorVw6YQRWkvarTkT4tBeSLLiHzcwj6q0MmYSFCiVpiqPJTJEYIrpcPzVEIvg==", + "license": "MIT" + }, + "node_modules/deep-is": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz", + "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/detect-node-es": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/detect-node-es/-/detect-node-es-1.1.0.tgz", + "integrity": "sha512-ypdmJU/TbBby2Dxibuv7ZLW3Bs1QEmM7nHjEANfohJLvE0XVujisn1qPJcZxg+qDucsr+bP6fLD1rPS3AhJ7EQ==", + "license": "MIT" + }, + "node_modules/didyoumean": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/didyoumean/-/didyoumean-1.2.2.tgz", + "integrity": "sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==", + "license": "Apache-2.0" + }, + "node_modules/dlv": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/dlv/-/dlv-1.1.3.tgz", + "integrity": "sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==", + "license": "MIT" + }, + "node_modules/dom-helpers": { + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/dom-helpers/-/dom-helpers-5.2.1.tgz", + "integrity": "sha512-nRCa7CK3VTrM2NmGkIy4cbK7IZlgBE/PYMn55rrXefr5xXDP0LdtfPnblFDoVdcAfslJ7or6iqAUnx0CCGIWQA==", + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.8.7", + "csstype": "^3.0.2" + } + }, + "node_modules/eastasianwidth": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/eastasianwidth/-/eastasianwidth-0.2.0.tgz", + "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==", + "license": "MIT" + }, + "node_modules/electron-to-chromium": { + "version": "1.5.45", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.5.45.tgz", + "integrity": "sha512-vOzZS6uZwhhbkZbcRyiy99Wg+pYFV5hk+5YaECvx0+Z31NR3Tt5zS6dze2OepT6PCTzVzT0dIJItti+uAW5zmw==", + "dev": true, + "license": "ISC" + }, + "node_modules/embla-carousel": { + "version": "8.3.0", + "resolved": "https://registry.npmjs.org/embla-carousel/-/embla-carousel-8.3.0.tgz", + "integrity": "sha512-Ve8dhI4w28qBqR8J+aMtv7rLK89r1ZA5HocwFz6uMB/i5EiC7bGI7y+AM80yAVUJw3qqaZYK7clmZMUR8kM3UA==", + "license": "MIT" + }, + "node_modules/embla-carousel-react": { + "version": "8.3.0", + "resolved": "https://registry.npmjs.org/embla-carousel-react/-/embla-carousel-react-8.3.0.tgz", + "integrity": "sha512-P1FlinFDcIvggcErRjNuVqnUR8anyo8vLMIH8Rthgofw7Nj8qTguCa2QjFAbzxAUTQTPNNjNL7yt0BGGinVdFw==", + "license": "MIT", + "dependencies": { + "embla-carousel": "8.3.0", + "embla-carousel-reactive-utils": "8.3.0" + }, + "peerDependencies": { + "react": "^16.8.0 || ^17.0.1 || ^18.0.0" + } + }, + "node_modules/embla-carousel-reactive-utils": { + "version": "8.3.0", + "resolved": "https://registry.npmjs.org/embla-carousel-reactive-utils/-/embla-carousel-reactive-utils-8.3.0.tgz", + "integrity": "sha512-EYdhhJ302SC4Lmkx8GRsp0sjUhEN4WyFXPOk0kGu9OXZSRMmcBlRgTvHcq8eKJE1bXWBsOi1T83B+BSSVZSmwQ==", + "license": "MIT", + "peerDependencies": { + "embla-carousel": "8.3.0" + } + }, + "node_modules/emoji-regex": { + "version": "9.2.2", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-9.2.2.tgz", + "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==", + "license": "MIT" + }, + "node_modules/esbuild": { + "version": "0.21.5", + "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.21.5.tgz", + "integrity": "sha512-mg3OPMV4hXywwpoDxu3Qda5xCKQi+vCTZq8S9J/EpkhB2HzKXq4SNFZE3+NK93JYxc8VMSep+lOUSC/RVKaBqw==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "bin": { + "esbuild": "bin/esbuild" + }, + "engines": { + "node": ">=12" + }, + "optionalDependencies": { + "@esbuild/aix-ppc64": "0.21.5", + "@esbuild/android-arm": "0.21.5", + "@esbuild/android-arm64": "0.21.5", + "@esbuild/android-x64": "0.21.5", + "@esbuild/darwin-arm64": "0.21.5", + "@esbuild/darwin-x64": "0.21.5", + "@esbuild/freebsd-arm64": "0.21.5", + "@esbuild/freebsd-x64": "0.21.5", + "@esbuild/linux-arm": "0.21.5", + "@esbuild/linux-arm64": "0.21.5", + "@esbuild/linux-ia32": "0.21.5", + "@esbuild/linux-loong64": "0.21.5", + "@esbuild/linux-mips64el": "0.21.5", + "@esbuild/linux-ppc64": "0.21.5", + "@esbuild/linux-riscv64": "0.21.5", + "@esbuild/linux-s390x": "0.21.5", + "@esbuild/linux-x64": "0.21.5", + "@esbuild/netbsd-x64": "0.21.5", + "@esbuild/openbsd-x64": "0.21.5", + "@esbuild/sunos-x64": "0.21.5", + "@esbuild/win32-arm64": "0.21.5", + "@esbuild/win32-ia32": "0.21.5", + "@esbuild/win32-x64": "0.21.5" + } + }, + "node_modules/escalade": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz", + "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-string-regexp": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", + "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint": { + "version": "9.13.0", + "resolved": "https://registry.npmjs.org/eslint/-/eslint-9.13.0.tgz", + "integrity": "sha512-EYZK6SX6zjFHST/HRytOdA/zE72Cq/bfw45LSyuwrdvcclb/gqV8RRQxywOBEWO2+WDpva6UZa4CcDeJKzUCFA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@eslint-community/eslint-utils": "^4.2.0", + "@eslint-community/regexpp": "^4.11.0", + "@eslint/config-array": "^0.18.0", + "@eslint/core": "^0.7.0", + "@eslint/eslintrc": "^3.1.0", + "@eslint/js": "9.13.0", + "@eslint/plugin-kit": "^0.2.0", + "@humanfs/node": "^0.16.5", + "@humanwhocodes/module-importer": "^1.0.1", + "@humanwhocodes/retry": "^0.3.1", + "@types/estree": "^1.0.6", + "@types/json-schema": "^7.0.15", + "ajv": "^6.12.4", + "chalk": "^4.0.0", + "cross-spawn": "^7.0.2", + "debug": "^4.3.2", + "escape-string-regexp": "^4.0.0", + "eslint-scope": "^8.1.0", + "eslint-visitor-keys": "^4.1.0", + "espree": "^10.2.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", + "text-table": "^0.2.0" + }, + "bin": { + "eslint": "bin/eslint.js" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "url": "https://eslint.org/donate" + }, + "peerDependencies": { + "jiti": "*" + }, + "peerDependenciesMeta": { + "jiti": { + "optional": true + } + } + }, + "node_modules/eslint-plugin-react-hooks": { + "version": "5.1.0-rc-fb9a90fa48-20240614", + "resolved": "https://registry.npmjs.org/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-5.1.0-rc-fb9a90fa48-20240614.tgz", + "integrity": "sha512-xsiRwaDNF5wWNC4ZHLut+x/YcAxksUd9Rizt7LaEn3bV8VyYRpXnRJQlLOfYaVy9esk4DFP4zPPnoNVjq5Gc0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "eslint": "^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0 || ^9.0.0" + } + }, + "node_modules/eslint-plugin-react-refresh": { + "version": "0.4.14", + "resolved": "https://registry.npmjs.org/eslint-plugin-react-refresh/-/eslint-plugin-react-refresh-0.4.14.tgz", + "integrity": "sha512-aXvzCTK7ZBv1e7fahFuR3Z/fyQQSIQ711yPgYRj+Oj64tyTgO4iQIDmYXDBqvSWQ/FA4OSCsXOStlF+noU0/NA==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "eslint": ">=7" + } + }, + "node_modules/eslint-scope": { + "version": "8.1.0", + "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-8.1.0.tgz", + "integrity": "sha512-14dSvlhaVhKKsa9Fx1l8A17s7ah7Ef7wCakJ10LYk6+GYmP9yDti2oq2SEwcyndt6knfcZyhyxwY3i9yL78EQw==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "esrecurse": "^4.3.0", + "estraverse": "^5.2.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/eslint-visitor-keys": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-4.1.0.tgz", + "integrity": "sha512-Q7lok0mqMUSf5a/AdAZkA5a/gHcO6snwQClVNNvFKCAVlxXucdU8pKydU5ZVZjBx5xr37vGbFFWtLQYreLzrZg==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/espree": { + "version": "10.2.0", + "resolved": "https://registry.npmjs.org/espree/-/espree-10.2.0.tgz", + "integrity": "sha512-upbkBJbckcCNBDBDXEbuhjbP68n+scUd3k/U2EkyM9nw+I/jPiL4cLF/Al06CF96wRltFda16sxDFrxsI1v0/g==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "acorn": "^8.12.0", + "acorn-jsx": "^5.3.2", + "eslint-visitor-keys": "^4.1.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/esquery": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.6.0.tgz", + "integrity": "sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "estraverse": "^5.1.0" + }, + "engines": { + "node": ">=0.10" + } + }, + "node_modules/esrecurse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", + "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "estraverse": "^5.2.0" + }, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/estraverse": { + "version": "5.3.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", + "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/estree-walker": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/estree-walker/-/estree-walker-3.0.3.tgz", + "integrity": "sha512-7RUKfXgSMMkzt6ZuXmqapOurLGPPfgj6l9uRZ7lRGolvk0y2yocc35LdcxKC5PQZdn2DMqioAQ2NoWcrTKmm6g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/estree": "^1.0.0" + } + }, + "node_modules/esutils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/eventemitter3": { + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/eventemitter3/-/eventemitter3-4.0.7.tgz", + "integrity": "sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==", + "license": "MIT" + }, + "node_modules/fast-deep-equal": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/fast-equals": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/fast-equals/-/fast-equals-5.0.1.tgz", + "integrity": "sha512-WF1Wi8PwwSY7/6Kx0vKXtw8RwuSGoM1bvDaJbu7MxDlR1vovZjIAKrnzyrThgAjm6JDTu0fVgWXDlMGspodfoQ==", + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/fast-glob": { + "version": "3.3.2", + "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.3.2.tgz", + "integrity": "sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==", + "license": "MIT", + "dependencies": { + "@nodelib/fs.stat": "^2.0.2", + "@nodelib/fs.walk": "^1.2.3", + "glob-parent": "^5.1.2", + "merge2": "^1.3.0", + "micromatch": "^4.0.4" + }, + "engines": { + "node": ">=8.6.0" + } + }, + "node_modules/fast-glob/node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", + "dev": true, + "license": "MIT" + }, + "node_modules/fast-levenshtein": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", + "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==", + "dev": true, + "license": "MIT" + }, + "node_modules/fastq": { + "version": "1.17.1", + "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.17.1.tgz", + "integrity": "sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==", + "license": "ISC", + "dependencies": { + "reusify": "^1.0.4" + } + }, + "node_modules/file-entry-cache": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-8.0.0.tgz", + "integrity": "sha512-XXTUwCvisa5oacNGRP9SfNtYBNAMi+RPwBFmblZEF7N7swHYQS6/Zfk7SRwx4D5j3CH211YNRco1DEMNVfZCnQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "flat-cache": "^4.0.0" + }, + "engines": { + "node": ">=16.0.0" + } + }, + "node_modules/fill-range": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", + "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", + "license": "MIT", + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/find-up": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz", + "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==", + "dev": true, + "license": "MIT", + "dependencies": { + "locate-path": "^6.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/flat-cache": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-4.0.1.tgz", + "integrity": "sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw==", + "dev": true, + "license": "MIT", + "dependencies": { + "flatted": "^3.2.9", + "keyv": "^4.5.4" + }, + "engines": { + "node": ">=16" + } + }, + "node_modules/flatted": { + "version": "3.3.1", + "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.3.1.tgz", + "integrity": "sha512-X8cqMLLie7KsNUDSdzeN8FYK9rEt4Dt67OsG/DNGnYTSDBG4uFAJFBnUeiV+zCVAvwFy56IjM9sH51jVaEhNxw==", + "dev": true, + "license": "ISC" + }, + "node_modules/foreground-child": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-3.3.0.tgz", + "integrity": "sha512-Ld2g8rrAyMYFXBhEqMz8ZAHBi4J4uS1i/CxGMDnjyFWddMXLVcDp051DZfu+t7+ab7Wv6SMqpWmyFIj5UbfFvg==", + "license": "ISC", + "dependencies": { + "cross-spawn": "^7.0.0", + "signal-exit": "^4.0.1" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/fraction.js": { + "version": "4.3.7", + "resolved": "https://registry.npmjs.org/fraction.js/-/fraction.js-4.3.7.tgz", + "integrity": "sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==", + "dev": true, + "license": "MIT", + "engines": { + "node": "*" + }, + "funding": { + "type": "patreon", + "url": "https://github.com/sponsors/rawify" + } + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "hasInstallScript": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-nonce": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/get-nonce/-/get-nonce-1.0.1.tgz", + "integrity": "sha512-FJhYRoDaiatfEkUK8HKlicmu/3SGFD51q3itKDGoSTysQJBnfOcxU5GxnhE1E6soB76MbT0MBtnKJuXyAx+96Q==", + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/glob": { + "version": "10.4.5", + "resolved": "https://registry.npmjs.org/glob/-/glob-10.4.5.tgz", + "integrity": "sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==", + "license": "ISC", + "dependencies": { + "foreground-child": "^3.1.0", + "jackspeak": "^3.1.2", + "minimatch": "^9.0.4", + "minipass": "^7.1.2", + "package-json-from-dist": "^1.0.0", + "path-scurry": "^1.11.1" + }, + "bin": { + "glob": "dist/esm/bin.mjs" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-parent": { + "version": "6.0.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", + "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.3" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/glob/node_modules/brace-expansion": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz", + "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/glob/node_modules/minimatch": { + "version": "9.0.5", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz", + "integrity": "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==", + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/globals": { + "version": "15.11.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-15.11.0.tgz", + "integrity": "sha512-yeyNSjdbyVaWurlwCpcA6XNBrHTMIeDdj0/hnvX/OLJ9ekOXYbLsLinH/MucQyGvNnXhidTdNhTtJaffL2sMfw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/graphemer": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/graphemer/-/graphemer-1.4.0.tgz", + "integrity": "sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==", + "dev": true, + "license": "MIT" + }, + "node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/ignore": { + "version": "5.3.2", + "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.3.2.tgz", + "integrity": "sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 4" + } + }, + "node_modules/import-fresh": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz", + "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "parent-module": "^1.0.0", + "resolve-from": "^4.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/imurmurhash": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.19" + } + }, + "node_modules/input-otp": { + "version": "1.2.4", + "resolved": "https://registry.npmjs.org/input-otp/-/input-otp-1.2.4.tgz", + "integrity": "sha512-md6rhmD+zmMnUh5crQNSQxq3keBRYvE3odbr4Qb9g2NWzQv9azi+t1a3X4TBTbh98fsGHgEEJlzbe1q860uGCA==", + "license": "MIT", + "peerDependencies": { + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + } + }, + "node_modules/internmap": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/internmap/-/internmap-2.0.3.tgz", + "integrity": "sha512-5Hh7Y1wQbvY5ooGgPbDaL5iYLAPzMTUrjMulskHLH6wnv/A+1q5rgEaiuqEjB+oxGXIVZs1FF+R/KPN3ZSQYYg==", + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/invariant": { + "version": "2.2.4", + "resolved": "https://registry.npmjs.org/invariant/-/invariant-2.2.4.tgz", + "integrity": "sha512-phJfQVBuaJM5raOpJjSfkiD6BpbCE4Ns//LaXl6wGYtUBY83nWS6Rf9tXm2e8VaK60JEjYldbPif/A2B1C2gNA==", + "license": "MIT", + "dependencies": { + "loose-envify": "^1.0.0" + } + }, + "node_modules/is-binary-path": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", + "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", + "license": "MIT", + "dependencies": { + "binary-extensions": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-core-module": { + "version": "2.15.1", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.15.1.tgz", + "integrity": "sha512-z0vtXSwucUJtANQWldhbtbt7BnL0vxiFjIdDLAatwhDYty2bad6s+rijD6Ri4YuYJubLzIJLUidCh09e1djEVQ==", + "license": "MIT", + "dependencies": { + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-glob": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", + "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", + "license": "MIT", + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "license": "MIT", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", + "license": "ISC" + }, + "node_modules/jackspeak": { + "version": "3.4.3", + "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-3.4.3.tgz", + "integrity": "sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==", + "license": "BlueOak-1.0.0", + "dependencies": { + "@isaacs/cliui": "^8.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + }, + "optionalDependencies": { + "@pkgjs/parseargs": "^0.11.0" + } + }, + "node_modules/jiti": { + "version": "1.21.6", + "resolved": "https://registry.npmjs.org/jiti/-/jiti-1.21.6.tgz", + "integrity": "sha512-2yTgeWTWzMWkHu6Jp9NKgePDaYHbntiwvYuuJLbbN9vl7DC9DvXKOB2BC3ZZ92D3cvV/aflH0osDfwpHepQ53w==", + "license": "MIT", + "bin": { + "jiti": "bin/jiti.js" + } + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", + "license": "MIT" + }, + "node_modules/js-yaml": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", + "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^2.0.1" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/json-buffer": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz", + "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-schema-traverse": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", + "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-stable-stringify-without-jsonify": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", + "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==", + "dev": true, + "license": "MIT" + }, + "node_modules/keyv": { + "version": "4.5.4", + "resolved": "https://registry.npmjs.org/keyv/-/keyv-4.5.4.tgz", + "integrity": "sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==", + "dev": true, + "license": "MIT", + "dependencies": { + "json-buffer": "3.0.1" + } + }, + "node_modules/levn": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz", + "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "prelude-ls": "^1.2.1", + "type-check": "~0.4.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/lilconfig": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/lilconfig/-/lilconfig-3.1.3.tgz", + "integrity": "sha512-/vlFKAoH5Cgt3Ie+JLhRbwOsCQePABiU3tJ1egGvyQ+33R/vcwM2Zl2QR/LzjsBeItPt3oSVXapn+m4nQDvpzw==", + "license": "MIT", + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/antonk52" + } + }, + "node_modules/lines-and-columns": { + "version": "1.2.4", + "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", + "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", + "license": "MIT" + }, + "node_modules/locate-path": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz", + "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-locate": "^5.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/lodash": { + "version": "4.17.21", + "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==", + "license": "MIT" + }, + "node_modules/lodash.castarray": { + "version": "4.4.0", + "resolved": "https://registry.npmjs.org/lodash.castarray/-/lodash.castarray-4.4.0.tgz", + "integrity": "sha512-aVx8ztPv7/2ULbArGJ2Y42bG1mEQ5mGjpdvrbJcJFU3TbYybe+QlLS4pst9zV52ymy2in1KpFPiZnAOATxD4+Q==", + "dev": true + }, + "node_modules/lodash.isplainobject": { + "version": "4.0.6", + "resolved": "https://registry.npmjs.org/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz", + "integrity": "sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==", + "dev": true + }, + "node_modules/lodash.merge": { + "version": "4.6.2", + "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz", + "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/loose-envify": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/loose-envify/-/loose-envify-1.4.0.tgz", + "integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==", + "license": "MIT", + "dependencies": { + "js-tokens": "^3.0.0 || ^4.0.0" + }, + "bin": { + "loose-envify": "cli.js" + } + }, + "node_modules/lovable-tagger": { + "version": "1.1.7", + "resolved": "https://registry.npmjs.org/lovable-tagger/-/lovable-tagger-1.1.7.tgz", + "integrity": "sha512-b1wwYbuxWGx+DuqviQGQXrgLAraK1RVbqTg6G8LYRID8FJTg4TuAeO0TJ7i6UXOF8gEzbgjhRbGZ+XAkWH2T8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.25.9", + "@babel/types": "^7.25.8", + "esbuild": "^0.25.0", + "estree-walker": "^3.0.3", + "magic-string": "^0.30.12", + "tailwindcss": "^3.4.17" + }, + "peerDependencies": { + "vite": "^5.0.0" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/aix-ppc64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/aix-ppc64/-/aix-ppc64-0.25.0.tgz", + "integrity": "sha512-O7vun9Sf8DFjH2UtqK8Ku3LkquL9SZL8OLY1T5NZkA34+wG3OQF7cl4Ql8vdNzM6fzBbYfLaiRLIOZ+2FOCgBQ==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "aix" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/android-arm": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/android-arm/-/android-arm-0.25.0.tgz", + "integrity": "sha512-PTyWCYYiU0+1eJKmw21lWtC+d08JDZPQ5g+kFyxP0V+es6VPPSUhM6zk8iImp2jbV6GwjX4pap0JFbUQN65X1g==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/android-arm64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/android-arm64/-/android-arm64-0.25.0.tgz", + "integrity": "sha512-grvv8WncGjDSyUBjN9yHXNt+cq0snxXbDxy5pJtzMKGmmpPxeAmAhWxXI+01lU5rwZomDgD3kJwulEnhTRUd6g==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/android-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/android-x64/-/android-x64-0.25.0.tgz", + "integrity": "sha512-m/ix7SfKG5buCnxasr52+LI78SQ+wgdENi9CqyCXwjVR2X4Jkz+BpC3le3AoBPYTC9NHklwngVXvbJ9/Akhrfg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/darwin-arm64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/darwin-arm64/-/darwin-arm64-0.25.0.tgz", + "integrity": "sha512-mVwdUb5SRkPayVadIOI78K7aAnPamoeFR2bT5nszFUZ9P8UpK4ratOdYbZZXYSqPKMHfS1wdHCJk1P1EZpRdvw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/darwin-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/darwin-x64/-/darwin-x64-0.25.0.tgz", + "integrity": "sha512-DgDaYsPWFTS4S3nWpFcMn/33ZZwAAeAFKNHNa1QN0rI4pUjgqf0f7ONmXf6d22tqTY+H9FNdgeaAa+YIFUn2Rg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/freebsd-arm64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/freebsd-arm64/-/freebsd-arm64-0.25.0.tgz", + "integrity": "sha512-VN4ocxy6dxefN1MepBx/iD1dH5K8qNtNe227I0mnTRjry8tj5MRk4zprLEdG8WPyAPb93/e4pSgi1SoHdgOa4w==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/freebsd-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/freebsd-x64/-/freebsd-x64-0.25.0.tgz", + "integrity": "sha512-mrSgt7lCh07FY+hDD1TxiTyIHyttn6vnjesnPoVDNmDfOmggTLXRv8Id5fNZey1gl/V2dyVK1VXXqVsQIiAk+A==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-arm": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-arm/-/linux-arm-0.25.0.tgz", + "integrity": "sha512-vkB3IYj2IDo3g9xX7HqhPYxVkNQe8qTK55fraQyTzTX/fxaDtXiEnavv9geOsonh2Fd2RMB+i5cbhu2zMNWJwg==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-arm64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-arm64/-/linux-arm64-0.25.0.tgz", + "integrity": "sha512-9QAQjTWNDM/Vk2bgBl17yWuZxZNQIF0OUUuPZRKoDtqF2k4EtYbpyiG5/Dk7nqeK6kIJWPYldkOcBqjXjrUlmg==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-ia32": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-ia32/-/linux-ia32-0.25.0.tgz", + "integrity": "sha512-43ET5bHbphBegyeqLb7I1eYn2P/JYGNmzzdidq/w0T8E2SsYL1U6un2NFROFRg1JZLTzdCoRomg8Rvf9M6W6Gg==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-loong64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-loong64/-/linux-loong64-0.25.0.tgz", + "integrity": "sha512-fC95c/xyNFueMhClxJmeRIj2yrSMdDfmqJnyOY4ZqsALkDrrKJfIg5NTMSzVBr5YW1jf+l7/cndBfP3MSDpoHw==", + "cpu": [ + "loong64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-mips64el": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-mips64el/-/linux-mips64el-0.25.0.tgz", + "integrity": "sha512-nkAMFju7KDW73T1DdH7glcyIptm95a7Le8irTQNO/qtkoyypZAnjchQgooFUDQhNAy4iu08N79W4T4pMBwhPwQ==", + "cpu": [ + "mips64el" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-ppc64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-ppc64/-/linux-ppc64-0.25.0.tgz", + "integrity": "sha512-NhyOejdhRGS8Iwv+KKR2zTq2PpysF9XqY+Zk77vQHqNbo/PwZCzB5/h7VGuREZm1fixhs4Q/qWRSi5zmAiO4Fw==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-riscv64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-riscv64/-/linux-riscv64-0.25.0.tgz", + "integrity": "sha512-5S/rbP5OY+GHLC5qXp1y/Mx//e92L1YDqkiBbO9TQOvuFXM+iDqUNG5XopAnXoRH3FjIUDkeGcY1cgNvnXp/kA==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-s390x": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-s390x/-/linux-s390x-0.25.0.tgz", + "integrity": "sha512-XM2BFsEBz0Fw37V0zU4CXfcfuACMrppsMFKdYY2WuTS3yi8O1nFOhil/xhKTmE1nPmVyvQJjJivgDT+xh8pXJA==", + "cpu": [ + "s390x" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/linux-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/linux-x64/-/linux-x64-0.25.0.tgz", + "integrity": "sha512-9yl91rHw/cpwMCNytUDxwj2XjFpxML0y9HAOH9pNVQDpQrBxHy01Dx+vaMu0N1CKa/RzBD2hB4u//nfc+Sd3Cw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/netbsd-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/netbsd-x64/-/netbsd-x64-0.25.0.tgz", + "integrity": "sha512-jl+qisSB5jk01N5f7sPCsBENCOlPiS/xptD5yxOx2oqQfyourJwIKLRA2yqWdifj3owQZCL2sn6o08dBzZGQzA==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "netbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/openbsd-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/openbsd-x64/-/openbsd-x64-0.25.0.tgz", + "integrity": "sha512-2gwwriSMPcCFRlPlKx3zLQhfN/2WjJ2NSlg5TKLQOJdV0mSxIcYNTMhk3H3ulL/cak+Xj0lY1Ym9ysDV1igceg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "openbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/sunos-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/sunos-x64/-/sunos-x64-0.25.0.tgz", + "integrity": "sha512-bxI7ThgLzPrPz484/S9jLlvUAHYMzy6I0XiU1ZMeAEOBcS0VePBFxh1JjTQt3Xiat5b6Oh4x7UC7IwKQKIJRIg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "sunos" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/win32-arm64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/win32-arm64/-/win32-arm64-0.25.0.tgz", + "integrity": "sha512-ZUAc2YK6JW89xTbXvftxdnYy3m4iHIkDtK3CLce8wg8M2L+YZhIvO1DKpxrd0Yr59AeNNkTiic9YLf6FTtXWMw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/win32-ia32": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/win32-ia32/-/win32-ia32-0.25.0.tgz", + "integrity": "sha512-eSNxISBu8XweVEWG31/JzjkIGbGIJN/TrRoiSVZwZ6pkC6VX4Im/WV2cz559/TXLcYbcrDN8JtKgd9DJVIo8GA==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/@esbuild/win32-x64": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/@esbuild/win32-x64/-/win32-x64-0.25.0.tgz", + "integrity": "sha512-ZENoHJBxA20C2zFzh6AI4fT6RraMzjYw4xKWemRTRmRVtN9c5DcH9r/f2ihEkMjOW5eGgrwCslG/+Y/3bL+DHQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/lovable-tagger/node_modules/esbuild": { + "version": "0.25.0", + "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.25.0.tgz", + "integrity": "sha512-BXq5mqc8ltbaN34cDqWuYKyNhX8D/Z0J1xdtdQ8UcIIIyJyz+ZMKUt58tF3SrZ85jcfN/PZYhjR5uDQAYNVbuw==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "bin": { + "esbuild": "bin/esbuild" + }, + "engines": { + "node": ">=18" + }, + "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" + } + }, + "node_modules/lru-cache": { + "version": "10.4.3", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.4.3.tgz", + "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==", + "license": "ISC" + }, + "node_modules/lucide-react": { + "version": "0.462.0", + "resolved": "https://registry.npmjs.org/lucide-react/-/lucide-react-0.462.0.tgz", + "integrity": "sha512-NTL7EbAao9IFtuSivSZgrAh4fZd09Lr+6MTkqIxuHaH2nnYiYIzXPo06cOxHg9wKLdj6LL8TByG4qpePqwgx/g==", + "peerDependencies": { + "react": "^16.5.1 || ^17.0.0 || ^18.0.0 || ^19.0.0-rc" + } + }, + "node_modules/magic-string": { + "version": "0.30.12", + "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.30.12.tgz", + "integrity": "sha512-Ea8I3sQMVXr8JhN4z+H/d8zwo+tYDgHE9+5G4Wnrwhs0gaK9fXTKx0Tw5Xwsd/bCPTTZNRAdpyzvoeORe9LYpw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/sourcemap-codec": "^1.5.0" + } + }, + "node_modules/merge2": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz", + "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==", + "license": "MIT", + "engines": { + "node": ">= 8" + } + }, + "node_modules/micromatch": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz", + "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", + "license": "MIT", + "dependencies": { + "braces": "^3.0.3", + "picomatch": "^2.3.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/minimatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", + "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/minipass": { + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/minipass/-/minipass-7.1.2.tgz", + "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", + "license": "ISC", + "engines": { + "node": ">=16 || 14 >=14.17" + } + }, + "node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "dev": true, + "license": "MIT" + }, + "node_modules/mz": { + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/mz/-/mz-2.7.0.tgz", + "integrity": "sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==", + "license": "MIT", + "dependencies": { + "any-promise": "^1.0.0", + "object-assign": "^4.0.1", + "thenify-all": "^1.0.0" + } + }, + "node_modules/nanoid": { + "version": "3.3.7", + "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.7.tgz", + "integrity": "sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "bin": { + "nanoid": "bin/nanoid.cjs" + }, + "engines": { + "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" + } + }, + "node_modules/natural-compare": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", + "dev": true, + "license": "MIT" + }, + "node_modules/next-themes": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/next-themes/-/next-themes-0.3.0.tgz", + "integrity": "sha512-/QHIrsYpd6Kfk7xakK4svpDI5mmXP0gfvCoJdGpZQ2TOrQZmsW0QxjaiLn8wbIKjtm4BTSqLoix4lxYYOnLJ/w==", + "license": "MIT", + "peerDependencies": { + "react": "^16.8 || ^17 || ^18", + "react-dom": "^16.8 || ^17 || ^18" + } + }, + "node_modules/node-releases": { + "version": "2.0.18", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.18.tgz", + "integrity": "sha512-d9VeXT4SJ7ZeOqGX6R5EM022wpL+eWPooLI+5UpWn2jCT1aosUQEhQP214x33Wkwx3JQMvIm+tIoVOdodFS40g==", + "dev": true, + "license": "MIT" + }, + "node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/normalize-range": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/normalize-range/-/normalize-range-0.1.2.tgz", + "integrity": "sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-assign": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-hash": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/object-hash/-/object-hash-3.0.0.tgz", + "integrity": "sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==", + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/optionator": { + "version": "0.9.4", + "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.4.tgz", + "integrity": "sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "deep-is": "^0.1.3", + "fast-levenshtein": "^2.0.6", + "levn": "^0.4.1", + "prelude-ls": "^1.2.1", + "type-check": "^0.4.0", + "word-wrap": "^1.2.5" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/p-limit": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", + "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "yocto-queue": "^0.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-locate": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz", + "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-limit": "^3.0.2" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/package-json-from-dist": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/package-json-from-dist/-/package-json-from-dist-1.0.1.tgz", + "integrity": "sha512-UEZIS3/by4OC8vL3P2dTXRETpebLI2NiI5vIrjaD/5UtrkFX/tNbwjTSRAGC/+7CAo2pIcBaRgWmcBBHcsaCIw==", + "license": "BlueOak-1.0.0" + }, + "node_modules/parent-module": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz", + "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", + "dev": true, + "license": "MIT", + "dependencies": { + "callsites": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/path-exists": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-parse": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", + "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", + "license": "MIT" + }, + "node_modules/path-scurry": { + "version": "1.11.1", + "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.11.1.tgz", + "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", + "license": "BlueOak-1.0.0", + "dependencies": { + "lru-cache": "^10.2.0", + "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" + }, + "engines": { + "node": ">=16 || 14 >=14.18" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/picocolors": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", + "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", + "license": "ISC" + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "license": "MIT", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pify": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/pify/-/pify-2.3.0.tgz", + "integrity": "sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==", + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/pirates": { + "version": "4.0.6", + "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.6.tgz", + "integrity": "sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==", + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/postcss": { + "version": "8.4.47", + "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.47.tgz", + "integrity": "sha512-56rxCq7G/XfB4EkXq9Egn5GCqugWvDFjafDOThIdMBsI15iqPqR5r15TfSr1YPYeEI19YeaXMCbY6u88Y76GLQ==", + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/postcss" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "nanoid": "^3.3.7", + "picocolors": "^1.1.0", + "source-map-js": "^1.2.1" + }, + "engines": { + "node": "^10 || ^12 || >=14" + } + }, + "node_modules/postcss-import": { + "version": "15.1.0", + "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-15.1.0.tgz", + "integrity": "sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==", + "license": "MIT", + "dependencies": { + "postcss-value-parser": "^4.0.0", + "read-cache": "^1.0.0", + "resolve": "^1.1.7" + }, + "engines": { + "node": ">=14.0.0" + }, + "peerDependencies": { + "postcss": "^8.0.0" + } + }, + "node_modules/postcss-js": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/postcss-js/-/postcss-js-4.0.1.tgz", + "integrity": "sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==", + "license": "MIT", + "dependencies": { + "camelcase-css": "^2.0.1" + }, + "engines": { + "node": "^12 || ^14 || >= 16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + "peerDependencies": { + "postcss": "^8.4.21" + } + }, + "node_modules/postcss-load-config": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/postcss-load-config/-/postcss-load-config-4.0.2.tgz", + "integrity": "sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==", + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "lilconfig": "^3.0.0", + "yaml": "^2.3.4" + }, + "engines": { + "node": ">= 14" + }, + "peerDependencies": { + "postcss": ">=8.0.9", + "ts-node": ">=9.0.0" + }, + "peerDependenciesMeta": { + "postcss": { + "optional": true + }, + "ts-node": { + "optional": true + } + } + }, + "node_modules/postcss-nested": { + "version": "6.2.0", + "resolved": "https://registry.npmjs.org/postcss-nested/-/postcss-nested-6.2.0.tgz", + "integrity": "sha512-HQbt28KulC5AJzG+cZtj9kvKB93CFCdLvog1WFLf1D+xmMvPGlBstkpTEZfK5+AN9hfJocyBFCNiqyS48bpgzQ==", + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "postcss-selector-parser": "^6.1.1" + }, + "engines": { + "node": ">=12.0" + }, + "peerDependencies": { + "postcss": "^8.2.14" + } + }, + "node_modules/postcss-selector-parser": { + "version": "6.1.2", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", + "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", + "license": "MIT", + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/postcss-value-parser": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz", + "integrity": "sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==", + "license": "MIT" + }, + "node_modules/prelude-ls": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz", + "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/prop-types": { + "version": "15.8.1", + "resolved": "https://registry.npmjs.org/prop-types/-/prop-types-15.8.1.tgz", + "integrity": "sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==", + "license": "MIT", + "dependencies": { + "loose-envify": "^1.4.0", + "object-assign": "^4.1.1", + "react-is": "^16.13.1" + } + }, + "node_modules/prop-types/node_modules/react-is": { + "version": "16.13.1", + "resolved": "https://registry.npmjs.org/react-is/-/react-is-16.13.1.tgz", + "integrity": "sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==", + "license": "MIT" + }, + "node_modules/punycode": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", + "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/queue-microtask": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", + "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/react": { + "version": "18.3.1", + "resolved": "https://registry.npmjs.org/react/-/react-18.3.1.tgz", + "integrity": "sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==", + "license": "MIT", + "dependencies": { + "loose-envify": "^1.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/react-day-picker": { + "version": "8.10.1", + "resolved": "https://registry.npmjs.org/react-day-picker/-/react-day-picker-8.10.1.tgz", + "integrity": "sha512-TMx7fNbhLk15eqcMt+7Z7S2KF7mfTId/XJDjKE8f+IUcFn0l08/kI4FiYTL/0yuOLmEcbR4Fwe3GJf/NiiMnPA==", + "license": "MIT", + "funding": { + "type": "individual", + "url": "https://github.com/sponsors/gpbl" + }, + "peerDependencies": { + "date-fns": "^2.28.0 || ^3.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0" + } + }, + "node_modules/react-dom": { + "version": "18.3.1", + "resolved": "https://registry.npmjs.org/react-dom/-/react-dom-18.3.1.tgz", + "integrity": "sha512-5m4nQKp+rZRb09LNH59GM4BxTh9251/ylbKIbpe7TpGxfJ+9kv6BLkLBXIjjspbgbnIBNqlI23tRnTWT0snUIw==", + "license": "MIT", + "dependencies": { + "loose-envify": "^1.1.0", + "scheduler": "^0.23.2" + }, + "peerDependencies": { + "react": "^18.3.1" + } + }, + "node_modules/react-hook-form": { + "version": "7.53.1", + "resolved": "https://registry.npmjs.org/react-hook-form/-/react-hook-form-7.53.1.tgz", + "integrity": "sha512-6aiQeBda4zjcuaugWvim9WsGqisoUk+etmFEsSUMm451/Ic8L/UAb7sRtMj3V+Hdzm6mMjU1VhiSzYUZeBm0Vg==", + "license": "MIT", + "engines": { + "node": ">=18.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/react-hook-form" + }, + "peerDependencies": { + "react": "^16.8.0 || ^17 || ^18 || ^19" + } + }, + "node_modules/react-is": { + "version": "18.3.1", + "resolved": "https://registry.npmjs.org/react-is/-/react-is-18.3.1.tgz", + "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", + "license": "MIT" + }, + "node_modules/react-remove-scroll": { + "version": "2.6.0", + "resolved": "https://registry.npmjs.org/react-remove-scroll/-/react-remove-scroll-2.6.0.tgz", + "integrity": "sha512-I2U4JVEsQenxDAKaVa3VZ/JeJZe0/2DxPWL8Tj8yLKctQJQiZM52pn/GWFpSp8dftjM3pSAHVJZscAnC/y+ySQ==", + "license": "MIT", + "dependencies": { + "react-remove-scroll-bar": "^2.3.6", + "react-style-singleton": "^2.2.1", + "tslib": "^2.1.0", + "use-callback-ref": "^1.3.0", + "use-sidecar": "^1.1.2" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/react-remove-scroll-bar": { + "version": "2.3.6", + "resolved": "https://registry.npmjs.org/react-remove-scroll-bar/-/react-remove-scroll-bar-2.3.6.tgz", + "integrity": "sha512-DtSYaao4mBmX+HDo5YWYdBWQwYIQQshUV/dVxFxK+KM26Wjwp1gZ6rv6OC3oujI6Bfu6Xyg3TwK533AQutsn/g==", + "license": "MIT", + "dependencies": { + "react-style-singleton": "^2.2.1", + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/react-resizable-panels": { + "version": "2.1.5", + "resolved": "https://registry.npmjs.org/react-resizable-panels/-/react-resizable-panels-2.1.5.tgz", + "integrity": "sha512-JMSe18rYupmx+dzYcdfWYZ93ZdxqQmLum3xWDVSUMI0UVwl9bB9gUaFmPbxYoO4G+m5sqgdXQCYQxnOysytfnw==", + "license": "MIT", + "peerDependencies": { + "react": "^16.14.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc", + "react-dom": "^16.14.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + } + }, + "node_modules/react-router": { + "version": "6.27.0", + "resolved": "https://registry.npmjs.org/react-router/-/react-router-6.27.0.tgz", + "integrity": "sha512-YA+HGZXz4jaAkVoYBE98VQl+nVzI+cVI2Oj/06F5ZM+0u3TgedN9Y9kmMRo2mnkSK2nCpNQn0DVob4HCsY/WLw==", + "license": "MIT", + "dependencies": { + "@remix-run/router": "1.20.0" + }, + "engines": { + "node": ">=14.0.0" + }, + "peerDependencies": { + "react": ">=16.8" + } + }, + "node_modules/react-router-dom": { + "version": "6.27.0", + "resolved": "https://registry.npmjs.org/react-router-dom/-/react-router-dom-6.27.0.tgz", + "integrity": "sha512-+bvtFWMC0DgAFrfKXKG9Fc+BcXWRUO1aJIihbB79xaeq0v5UzfvnM5houGUm1Y461WVRcgAQ+Clh5rdb1eCx4g==", + "license": "MIT", + "dependencies": { + "@remix-run/router": "1.20.0", + "react-router": "6.27.0" + }, + "engines": { + "node": ">=14.0.0" + }, + "peerDependencies": { + "react": ">=16.8", + "react-dom": ">=16.8" + } + }, + "node_modules/react-smooth": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/react-smooth/-/react-smooth-4.0.1.tgz", + "integrity": "sha512-OE4hm7XqR0jNOq3Qmk9mFLyd6p2+j6bvbPJ7qlB7+oo0eNcL2l7WQzG6MBnT3EXY6xzkLMUBec3AfewJdA0J8w==", + "license": "MIT", + "dependencies": { + "fast-equals": "^5.0.1", + "prop-types": "^15.8.1", + "react-transition-group": "^4.4.5" + }, + "peerDependencies": { + "react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react-dom": "^16.8.0 || ^17.0.0 || ^18.0.0" + } + }, + "node_modules/react-style-singleton": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/react-style-singleton/-/react-style-singleton-2.2.1.tgz", + "integrity": "sha512-ZWj0fHEMyWkHzKYUr2Bs/4zU6XLmq9HsgBURm7g5pAVfyn49DgUiNgY2d4lXRlYSiCif9YBGpQleewkcqddc7g==", + "license": "MIT", + "dependencies": { + "get-nonce": "^1.0.0", + "invariant": "^2.2.4", + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/react-transition-group": { + "version": "4.4.5", + "resolved": "https://registry.npmjs.org/react-transition-group/-/react-transition-group-4.4.5.tgz", + "integrity": "sha512-pZcd1MCJoiKiBR2NRxeCRg13uCXbydPnmB4EOeRrY7480qNWO8IIgQG6zlDkm6uRMsURXPuKq0GWtiM59a5Q6g==", + "license": "BSD-3-Clause", + "dependencies": { + "@babel/runtime": "^7.5.5", + "dom-helpers": "^5.0.1", + "loose-envify": "^1.4.0", + "prop-types": "^15.6.2" + }, + "peerDependencies": { + "react": ">=16.6.0", + "react-dom": ">=16.6.0" + } + }, + "node_modules/read-cache": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/read-cache/-/read-cache-1.0.0.tgz", + "integrity": "sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==", + "license": "MIT", + "dependencies": { + "pify": "^2.3.0" + } + }, + "node_modules/readdirp": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", + "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", + "license": "MIT", + "dependencies": { + "picomatch": "^2.2.1" + }, + "engines": { + "node": ">=8.10.0" + } + }, + "node_modules/recharts": { + "version": "2.13.0", + "resolved": "https://registry.npmjs.org/recharts/-/recharts-2.13.0.tgz", + "integrity": "sha512-sbfxjWQ+oLWSZEWmvbq/DFVdeRLqqA6d0CDjKx2PkxVVdoXo16jvENCE+u/x7HxOO+/fwx//nYRwb8p8X6s/lQ==", + "license": "MIT", + "dependencies": { + "clsx": "^2.0.0", + "eventemitter3": "^4.0.1", + "lodash": "^4.17.21", + "react-is": "^18.3.1", + "react-smooth": "^4.0.0", + "recharts-scale": "^0.4.4", + "tiny-invariant": "^1.3.1", + "victory-vendor": "^36.6.8" + }, + "engines": { + "node": ">=14" + }, + "peerDependencies": { + "react": "^16.0.0 || ^17.0.0 || ^18.0.0", + "react-dom": "^16.0.0 || ^17.0.0 || ^18.0.0" + } + }, + "node_modules/recharts-scale": { + "version": "0.4.5", + "resolved": "https://registry.npmjs.org/recharts-scale/-/recharts-scale-0.4.5.tgz", + "integrity": "sha512-kivNFO+0OcUNu7jQquLXAxz1FIwZj8nrj+YkOKc5694NbjCvcT6aSZiIzNzd2Kul4o4rTto8QVR9lMNtxD4G1w==", + "license": "MIT", + "dependencies": { + "decimal.js-light": "^2.4.1" + } + }, + "node_modules/regenerator-runtime": { + "version": "0.14.1", + "resolved": "https://registry.npmjs.org/regenerator-runtime/-/regenerator-runtime-0.14.1.tgz", + "integrity": "sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==", + "license": "MIT" + }, + "node_modules/resolve": { + "version": "1.22.8", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.8.tgz", + "integrity": "sha512-oKWePCxqpd6FlLvGV1VU0x7bkPmmCNolxzjMf4NczoDnQcIWrAF+cPtZn5i6n+RfD2d9i0tzpKnG6Yk168yIyw==", + "license": "MIT", + "dependencies": { + "is-core-module": "^2.13.0", + "path-parse": "^1.0.7", + "supports-preserve-symlinks-flag": "^1.0.0" + }, + "bin": { + "resolve": "bin/resolve" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/resolve-from": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz", + "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/reusify": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz", + "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==", + "license": "MIT", + "engines": { + "iojs": ">=1.0.0", + "node": ">=0.10.0" + } + }, + "node_modules/rollup": { + "version": "4.24.0", + "resolved": "https://registry.npmjs.org/rollup/-/rollup-4.24.0.tgz", + "integrity": "sha512-DOmrlGSXNk1DM0ljiQA+i+o0rSLhtii1je5wgk60j49d1jHT5YYttBv1iWOnYSTG+fZZESUOSNiAl89SIet+Cg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/estree": "1.0.6" + }, + "bin": { + "rollup": "dist/bin/rollup" + }, + "engines": { + "node": ">=18.0.0", + "npm": ">=8.0.0" + }, + "optionalDependencies": { + "@rollup/rollup-android-arm-eabi": "4.24.0", + "@rollup/rollup-android-arm64": "4.24.0", + "@rollup/rollup-darwin-arm64": "4.24.0", + "@rollup/rollup-darwin-x64": "4.24.0", + "@rollup/rollup-linux-arm-gnueabihf": "4.24.0", + "@rollup/rollup-linux-arm-musleabihf": "4.24.0", + "@rollup/rollup-linux-arm64-gnu": "4.24.0", + "@rollup/rollup-linux-arm64-musl": "4.24.0", + "@rollup/rollup-linux-powerpc64le-gnu": "4.24.0", + "@rollup/rollup-linux-riscv64-gnu": "4.24.0", + "@rollup/rollup-linux-s390x-gnu": "4.24.0", + "@rollup/rollup-linux-x64-gnu": "4.24.0", + "@rollup/rollup-linux-x64-musl": "4.24.0", + "@rollup/rollup-win32-arm64-msvc": "4.24.0", + "@rollup/rollup-win32-ia32-msvc": "4.24.0", + "@rollup/rollup-win32-x64-msvc": "4.24.0", + "fsevents": "~2.3.2" + } + }, + "node_modules/run-parallel": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz", + "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "queue-microtask": "^1.2.2" + } + }, + "node_modules/scheduler": { + "version": "0.23.2", + "resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.23.2.tgz", + "integrity": "sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==", + "license": "MIT", + "dependencies": { + "loose-envify": "^1.1.0" + } + }, + "node_modules/semver": { + "version": "7.6.3", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.6.3.tgz", + "integrity": "sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/signal-exit": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.1.0.tgz", + "integrity": "sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==", + "license": "ISC", + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/sonner": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/sonner/-/sonner-1.5.0.tgz", + "integrity": "sha512-FBjhG/gnnbN6FY0jaNnqZOMmB73R+5IiyYAw8yBj7L54ER7HB3fOSE5OFiQiE2iXWxeXKvg6fIP4LtVppHEdJA==", + "license": "MIT", + "peerDependencies": { + "react": "^18.0.0", + "react-dom": "^18.0.0" + } + }, + "node_modules/source-map-js": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz", + "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/string-width": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-5.1.2.tgz", + "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==", + "license": "MIT", + "dependencies": { + "eastasianwidth": "^0.2.0", + "emoji-regex": "^9.2.2", + "strip-ansi": "^7.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/string-width-cjs": { + "name": "string-width", + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/string-width-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/string-width-cjs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "license": "MIT" + }, + "node_modules/string-width-cjs/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "7.1.0", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-7.1.0.tgz", + "integrity": "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==", + "license": "MIT", + "dependencies": { + "ansi-regex": "^6.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/strip-ansi?sponsor=1" + } + }, + "node_modules/strip-ansi-cjs": { + "name": "strip-ansi", + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-json-comments": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", + "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/sucrase": { + "version": "3.35.0", + "resolved": "https://registry.npmjs.org/sucrase/-/sucrase-3.35.0.tgz", + "integrity": "sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==", + "license": "MIT", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.2", + "commander": "^4.0.0", + "glob": "^10.3.10", + "lines-and-columns": "^1.1.6", + "mz": "^2.7.0", + "pirates": "^4.0.1", + "ts-interface-checker": "^0.1.9" + }, + "bin": { + "sucrase": "bin/sucrase", + "sucrase-node": "bin/sucrase-node" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + } + }, + "node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/supports-preserve-symlinks-flag": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", + "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/tailwind-merge": { + "version": "2.5.4", + "resolved": "https://registry.npmjs.org/tailwind-merge/-/tailwind-merge-2.5.4.tgz", + "integrity": "sha512-0q8cfZHMu9nuYP/b5Shb7Y7Sh1B7Nnl5GqNr1U+n2p6+mybvRtayrQ+0042Z5byvTA8ihjlP8Odo8/VnHbZu4Q==", + "license": "MIT", + "funding": { + "type": "github", + "url": "https://github.com/sponsors/dcastil" + } + }, + "node_modules/tailwindcss": { + "version": "3.4.17", + "resolved": "https://registry.npmjs.org/tailwindcss/-/tailwindcss-3.4.17.tgz", + "integrity": "sha512-w33E2aCvSDP0tW9RZuNXadXlkHXqFzSkQew/aIa2i/Sj8fThxwovwlXHSPXTbAHwEIhBFXAedUhP2tueAKP8Og==", + "license": "MIT", + "dependencies": { + "@alloc/quick-lru": "^5.2.0", + "arg": "^5.0.2", + "chokidar": "^3.6.0", + "didyoumean": "^1.2.2", + "dlv": "^1.1.3", + "fast-glob": "^3.3.2", + "glob-parent": "^6.0.2", + "is-glob": "^4.0.3", + "jiti": "^1.21.6", + "lilconfig": "^3.1.3", + "micromatch": "^4.0.8", + "normalize-path": "^3.0.0", + "object-hash": "^3.0.0", + "picocolors": "^1.1.1", + "postcss": "^8.4.47", + "postcss-import": "^15.1.0", + "postcss-js": "^4.0.1", + "postcss-load-config": "^4.0.2", + "postcss-nested": "^6.2.0", + "postcss-selector-parser": "^6.1.2", + "resolve": "^1.22.8", + "sucrase": "^3.35.0" + }, + "bin": { + "tailwind": "lib/cli.js", + "tailwindcss": "lib/cli.js" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/tailwindcss-animate": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/tailwindcss-animate/-/tailwindcss-animate-1.0.7.tgz", + "integrity": "sha512-bl6mpH3T7I3UFxuvDEXLxy/VuFxBk5bbzplh7tXI68mwMokNYd1t9qPBHlnyTwfa4JGC4zP516I1hYYtQ/vspA==", + "license": "MIT", + "peerDependencies": { + "tailwindcss": ">=3.0.0 || insiders" + } + }, + "node_modules/text-table": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz", + "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==", + "dev": true, + "license": "MIT" + }, + "node_modules/thenify": { + "version": "3.3.1", + "resolved": "https://registry.npmjs.org/thenify/-/thenify-3.3.1.tgz", + "integrity": "sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==", + "license": "MIT", + "dependencies": { + "any-promise": "^1.0.0" + } + }, + "node_modules/thenify-all": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/thenify-all/-/thenify-all-1.6.0.tgz", + "integrity": "sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==", + "license": "MIT", + "dependencies": { + "thenify": ">= 3.1.0 < 4" + }, + "engines": { + "node": ">=0.8" + } + }, + "node_modules/tiny-invariant": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/tiny-invariant/-/tiny-invariant-1.3.3.tgz", + "integrity": "sha512-+FbBPE1o9QAYvviau/qC5SE3caw21q3xkvWKBtja5vgqOWIHHJ3ioaq1VPfn/Szqctz2bU/oYeKd9/z5BL+PVg==", + "license": "MIT" + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "license": "MIT", + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/ts-api-utils": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/ts-api-utils/-/ts-api-utils-1.3.0.tgz", + "integrity": "sha512-UQMIo7pb8WRomKR1/+MFVLTroIvDVtMX3K6OUir8ynLyzB8Jeriont2bTAtmNPa1ekAgN7YPDyf6V+ygrdU+eQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=16" + }, + "peerDependencies": { + "typescript": ">=4.2.0" + } + }, + "node_modules/ts-interface-checker": { + "version": "0.1.13", + "resolved": "https://registry.npmjs.org/ts-interface-checker/-/ts-interface-checker-0.1.13.tgz", + "integrity": "sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==", + "license": "Apache-2.0" + }, + "node_modules/tslib": { + "version": "2.8.0", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.8.0.tgz", + "integrity": "sha512-jWVzBLplnCmoaTr13V9dYbiQ99wvZRd0vNWaDRg+aVYRcjDF3nDksxFDE/+fkXnKhpnUUkmx5pK/v8mCtLVqZA==", + "license": "0BSD" + }, + "node_modules/type-check": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", + "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", + "dev": true, + "license": "MIT", + "dependencies": { + "prelude-ls": "^1.2.1" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/typescript": { + "version": "5.6.3", + "resolved": "https://registry.npmjs.org/typescript/-/typescript-5.6.3.tgz", + "integrity": "sha512-hjcS1mhfuyi4WW8IWtjP7brDrG2cuDZukyrYrSauoXGNgx0S7zceP07adYkJycEr56BOUTNPzbInooiN3fn1qw==", + "dev": true, + "license": "Apache-2.0", + "bin": { + "tsc": "bin/tsc", + "tsserver": "bin/tsserver" + }, + "engines": { + "node": ">=14.17" + } + }, + "node_modules/typescript-eslint": { + "version": "8.11.0", + "resolved": "https://registry.npmjs.org/typescript-eslint/-/typescript-eslint-8.11.0.tgz", + "integrity": "sha512-cBRGnW3FSlxaYwU8KfAewxFK5uzeOAp0l2KebIlPDOT5olVi65KDG/yjBooPBG0kGW/HLkoz1c/iuBFehcS3IA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/eslint-plugin": "8.11.0", + "@typescript-eslint/parser": "8.11.0", + "@typescript-eslint/utils": "8.11.0" + }, + "engines": { + "node": "^18.18.0 || ^20.9.0 || >=21.1.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/undici-types": { + "version": "6.19.8", + "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-6.19.8.tgz", + "integrity": "sha512-ve2KP6f/JnbPBFyobGHuerC9g1FYGn/F8n1LWTwNxCEzd6IfqTwUQcNXgEtmmQ6DlRrC1hrSrBnCZPokRrDHjw==", + "dev": true, + "license": "MIT" + }, + "node_modules/update-browserslist-db": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.1.1.tgz", + "integrity": "sha512-R8UzCaa9Az+38REPiJ1tXlImTJXlVfgHZsglwBD/k6nj76ctsH1E3q4doGrukiLQd3sGQYu56r5+lo5r94l29A==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "escalade": "^3.2.0", + "picocolors": "^1.1.0" + }, + "bin": { + "update-browserslist-db": "cli.js" + }, + "peerDependencies": { + "browserslist": ">= 4.21.0" + } + }, + "node_modules/uri-js": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", + "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "punycode": "^2.1.0" + } + }, + "node_modules/use-callback-ref": { + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/use-callback-ref/-/use-callback-ref-1.3.2.tgz", + "integrity": "sha512-elOQwe6Q8gqZgDA8mrh44qRTQqpIHDcZ3hXTLjBe1i4ph8XpNJnO+aQf3NaG+lriLopI4HMx9VjQLfPQ6vhnoA==", + "license": "MIT", + "dependencies": { + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/use-sidecar": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/use-sidecar/-/use-sidecar-1.1.2.tgz", + "integrity": "sha512-epTbsLuzZ7lPClpz2TyryBfztm7m+28DlEv2ZCQ3MDr5ssiwyOwGH/e5F9CkfWjJ1t4clvI58yF822/GUkjjhw==", + "license": "MIT", + "dependencies": { + "detect-node-es": "^1.1.0", + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "^16.9.0 || ^17.0.0 || ^18.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/util-deprecate": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", + "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", + "license": "MIT" + }, + "node_modules/vaul": { + "version": "0.9.9", + "resolved": "https://registry.npmjs.org/vaul/-/vaul-0.9.9.tgz", + "integrity": "sha512-7afKg48srluhZwIkaU+lgGtFCUsYBSGOl8vcc8N/M3YQlZFlynHD15AE+pwrYdc826o7nrIND4lL9Y6b9WWZZQ==", + "license": "MIT", + "dependencies": { + "@radix-ui/react-dialog": "^1.1.1" + }, + "peerDependencies": { + "react": "^16.8 || ^17.0 || ^18.0", + "react-dom": "^16.8 || ^17.0 || ^18.0" + } + }, + "node_modules/victory-vendor": { + "version": "36.9.2", + "resolved": "https://registry.npmjs.org/victory-vendor/-/victory-vendor-36.9.2.tgz", + "integrity": "sha512-PnpQQMuxlwYdocC8fIJqVXvkeViHYzotI+NJrCuav0ZYFoq912ZHBk3mCeuj+5/VpodOjPe1z0Fk2ihgzlXqjQ==", + "license": "MIT AND ISC", + "dependencies": { + "@types/d3-array": "^3.0.3", + "@types/d3-ease": "^3.0.0", + "@types/d3-interpolate": "^3.0.1", + "@types/d3-scale": "^4.0.2", + "@types/d3-shape": "^3.1.0", + "@types/d3-time": "^3.0.0", + "@types/d3-timer": "^3.0.0", + "d3-array": "^3.1.6", + "d3-ease": "^3.0.1", + "d3-interpolate": "^3.0.1", + "d3-scale": "^4.0.2", + "d3-shape": "^3.1.0", + "d3-time": "^3.0.0", + "d3-timer": "^3.0.1" + } + }, + "node_modules/vite": { + "version": "5.4.10", + "resolved": "https://registry.npmjs.org/vite/-/vite-5.4.10.tgz", + "integrity": "sha512-1hvaPshuPUtxeQ0hsVH3Mud0ZanOLwVTneA1EgbAM5LhaZEqyPWGRQ7BtaMvUrTDeEaC8pxtj6a6jku3x4z6SQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "esbuild": "^0.21.3", + "postcss": "^8.4.43", + "rollup": "^4.20.0" + }, + "bin": { + "vite": "bin/vite.js" + }, + "engines": { + "node": "^18.0.0 || >=20.0.0" + }, + "funding": { + "url": "https://github.com/vitejs/vite?sponsor=1" + }, + "optionalDependencies": { + "fsevents": "~2.3.3" + }, + "peerDependencies": { + "@types/node": "^18.0.0 || >=20.0.0", + "less": "*", + "lightningcss": "^1.21.0", + "sass": "*", + "sass-embedded": "*", + "stylus": "*", + "sugarss": "*", + "terser": "^5.4.0" + }, + "peerDependenciesMeta": { + "@types/node": { + "optional": true + }, + "less": { + "optional": true + }, + "lightningcss": { + "optional": true + }, + "sass": { + "optional": true + }, + "sass-embedded": { + "optional": true + }, + "stylus": { + "optional": true + }, + "sugarss": { + "optional": true + }, + "terser": { + "optional": true + } + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/word-wrap": { + "version": "1.2.5", + "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.5.tgz", + "integrity": "sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/wrap-ansi": { + "version": "8.1.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-8.1.0.tgz", + "integrity": "sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==", + "license": "MIT", + "dependencies": { + "ansi-styles": "^6.1.0", + "string-width": "^5.0.1", + "strip-ansi": "^7.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/wrap-ansi-cjs": { + "name": "wrap-ansi", + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "license": "MIT" + }, + "node_modules/wrap-ansi-cjs/node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi/node_modules/ansi-styles": { + "version": "6.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-6.2.1.tgz", + "integrity": "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==", + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/yaml": { + "version": "2.6.0", + "resolved": "https://registry.npmjs.org/yaml/-/yaml-2.6.0.tgz", + "integrity": "sha512-a6ae//JvKDEra2kdi1qzCyrJW/WZCgFi8ydDV+eXExl95t+5R+ijnqHJbz9tmMh8FUjx3iv2fCQ4dclAQlO2UQ==", + "license": "ISC", + "bin": { + "yaml": "bin.mjs" + }, + "engines": { + "node": ">= 14" + } + }, + "node_modules/yocto-queue": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", + "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/zod": { + "version": "3.23.8", + "resolved": "https://registry.npmjs.org/zod/-/zod-3.23.8.tgz", + "integrity": "sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/colinhacks" + } + } + } +} diff --git a/examples/create_agent_app/common/vibe_coding/template/package.json b/examples/create_agent_app/common/vibe_coding/template/package.json new file mode 100644 index 00000000..95aad28f --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/package.json @@ -0,0 +1,83 @@ +{ + "name": "vite_react_shadcn_ts", + "private": true, + "version": "0.0.0", + "type": "module", + "scripts": { + "dev": "vite", + "build": "vite build", + "build:dev": "vite build --mode development", + "lint": "eslint .", + "preview": "vite preview" + }, + "dependencies": { + "@hookform/resolvers": "^3.9.0", + "@radix-ui/react-accordion": "^1.2.0", + "@radix-ui/react-alert-dialog": "^1.1.1", + "@radix-ui/react-aspect-ratio": "^1.1.0", + "@radix-ui/react-avatar": "^1.1.0", + "@radix-ui/react-checkbox": "^1.1.1", + "@radix-ui/react-collapsible": "^1.1.0", + "@radix-ui/react-context-menu": "^2.2.1", + "@radix-ui/react-dialog": "^1.1.2", + "@radix-ui/react-dropdown-menu": "^2.1.1", + "@radix-ui/react-hover-card": "^1.1.1", + "@radix-ui/react-label": "^2.1.0", + "@radix-ui/react-menubar": "^1.1.1", + "@radix-ui/react-navigation-menu": "^1.2.0", + "@radix-ui/react-popover": "^1.1.1", + "@radix-ui/react-progress": "^1.1.0", + "@radix-ui/react-radio-group": "^1.2.0", + "@radix-ui/react-scroll-area": "^1.1.0", + "@radix-ui/react-select": "^2.1.1", + "@radix-ui/react-separator": "^1.1.0", + "@radix-ui/react-slider": "^1.2.0", + "@radix-ui/react-slot": "^1.1.0", + "@radix-ui/react-switch": "^1.1.0", + "@radix-ui/react-tabs": "^1.1.0", + "@radix-ui/react-toast": "^1.2.1", + "@radix-ui/react-toggle": "^1.1.0", + "@radix-ui/react-toggle-group": "^1.1.0", + "@radix-ui/react-tooltip": "^1.1.4", + "@tanstack/react-query": "^5.56.2", + "class-variance-authority": "^0.7.1", + "clsx": "^2.1.1", + "cmdk": "^1.0.0", + "date-fns": "^3.6.0", + "embla-carousel-react": "^8.3.0", + "input-otp": "^1.2.4", + "lucide-react": "^0.462.0", + "next-themes": "^0.3.0", + "react": "^18.3.1", + "react-day-picker": "^8.10.1", + "react-dom": "^18.3.1", + "react-hook-form": "^7.53.0", + "react-resizable-panels": "^2.1.3", + "react-router-dom": "^6.26.2", + "recharts": "^2.12.7", + "sonner": "^1.5.0", + "tailwind-merge": "^2.5.2", + "tailwindcss-animate": "^1.0.7", + "vaul": "^0.9.3", + "zod": "^3.23.8" + }, + "devDependencies": { + "@eslint/js": "^9.9.0", + "@tailwindcss/typography": "^0.5.15", + "@types/node": "^22.5.5", + "@types/react": "^18.3.3", + "@types/react-dom": "^18.3.0", + "@vitejs/plugin-react-swc": "^3.5.0", + "autoprefixer": "^10.4.20", + "eslint": "^9.9.0", + "eslint-plugin-react-hooks": "^5.1.0-rc.0", + "eslint-plugin-react-refresh": "^0.4.9", + "globals": "^15.9.0", + "lovable-tagger": "^1.1.7", + "postcss": "^8.4.47", + "tailwindcss": "^3.4.11", + "typescript": "^5.5.3", + "typescript-eslint": "^8.0.1", + "vite": "^5.4.1" + } +} diff --git a/examples/create_agent_app/common/vibe_coding/template/postcss.config.js b/examples/create_agent_app/common/vibe_coding/template/postcss.config.js new file mode 100644 index 00000000..2e7af2b7 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/postcss.config.js @@ -0,0 +1,6 @@ +export default { + plugins: { + tailwindcss: {}, + autoprefixer: {}, + }, +} diff --git a/examples/create_agent_app/common/vibe_coding/template/public/favicon.ico b/examples/create_agent_app/common/vibe_coding/template/public/favicon.ico new file mode 100644 index 0000000000000000000000000000000000000000..32e0122d3273208e97d5024356b57de1ed694a67 GIT binary patch literal 1150 zcmbtTD-wf13{7Vc$O@)|L?RFz0f9tt1Ox)XA$lJK0>M!@L?r@&Nb_i6X!s1!FkyGI zdGGBevqU%f?st;ELzzMJAR<>>LK6AJWgwEh6^kVH66cc+%vJ2DwX5rS9{avO=AIhk zIOeYF2FLu&-SRx=zVCT7%#$QJ!~yJjmC%9B!Is;(!KvnPu5eU6F%a wt&g=~7#xP-&?C#TrX1V08NCgHfKAh!;$M#4H?XENi~aKk2ki4EY!?mKH^xT`4FCWD literal 0 HcmV?d00001 diff --git a/examples/create_agent_app/common/vibe_coding/template/public/placeholder.svg b/examples/create_agent_app/common/vibe_coding/template/public/placeholder.svg new file mode 100644 index 00000000..e763910b --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/public/placeholder.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/examples/create_agent_app/common/vibe_coding/template/public/robots.txt b/examples/create_agent_app/common/vibe_coding/template/public/robots.txt new file mode 100644 index 00000000..6018e701 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/public/robots.txt @@ -0,0 +1,14 @@ +User-agent: Googlebot +Allow: / + +User-agent: Bingbot +Allow: / + +User-agent: Twitterbot +Allow: / + +User-agent: facebookexternalhit +Allow: / + +User-agent: * +Allow: / diff --git a/examples/create_agent_app/common/vibe_coding/template/src/App.css b/examples/create_agent_app/common/vibe_coding/template/src/App.css new file mode 100644 index 00000000..b9d355df --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/App.css @@ -0,0 +1,42 @@ +#root { + max-width: 1280px; + margin: 0 auto; + padding: 2rem; + text-align: center; +} + +.logo { + height: 6em; + padding: 1.5em; + will-change: filter; + transition: filter 300ms; +} +.logo:hover { + filter: drop-shadow(0 0 2em #646cffaa); +} +.logo.react:hover { + filter: drop-shadow(0 0 2em #61dafbaa); +} + +@keyframes logo-spin { + from { + transform: rotate(0deg); + } + to { + transform: rotate(360deg); + } +} + +@media (prefers-reduced-motion: no-preference) { + a:nth-of-type(2) .logo { + animation: logo-spin infinite 20s linear; + } +} + +.card { + padding: 2em; +} + +.read-the-docs { + color: #888; +} diff --git a/examples/create_agent_app/common/vibe_coding/template/src/App.tsx b/examples/create_agent_app/common/vibe_coding/template/src/App.tsx new file mode 100644 index 00000000..18daf2e9 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/App.tsx @@ -0,0 +1,27 @@ +import { Toaster } from "@/components/ui/toaster"; +import { Toaster as Sonner } from "@/components/ui/sonner"; +import { TooltipProvider } from "@/components/ui/tooltip"; +import { QueryClient, QueryClientProvider } from "@tanstack/react-query"; +import { BrowserRouter, Routes, Route } from "react-router-dom"; +import Index from "./pages/Index"; +import NotFound from "./pages/NotFound"; + +const queryClient = new QueryClient(); + +const App = () => ( + + + + + + + } /> + {/* ADD ALL CUSTOM ROUTES ABOVE THE CATCH-ALL "*" ROUTE */} + } /> + + + + +); + +export default App; diff --git a/examples/create_agent_app/common/vibe_coding/template/src/components/ui/accordion.tsx b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/accordion.tsx new file mode 100644 index 00000000..e6a723d0 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/accordion.tsx @@ -0,0 +1,56 @@ +import * as React from "react" +import * as AccordionPrimitive from "@radix-ui/react-accordion" +import { ChevronDown } from "lucide-react" + +import { cn } from "@/lib/utils" + +const Accordion = AccordionPrimitive.Root + +const AccordionItem = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AccordionItem.displayName = "AccordionItem" + +const AccordionTrigger = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, children, ...props }, ref) => ( + + svg]:rotate-180", + className + )} + {...props} + > + {children} + + + +)) +AccordionTrigger.displayName = AccordionPrimitive.Trigger.displayName + +const AccordionContent = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, children, ...props }, ref) => ( + +
{children}
+
+)) + +AccordionContent.displayName = AccordionPrimitive.Content.displayName + +export { Accordion, AccordionItem, AccordionTrigger, AccordionContent } diff --git a/examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert-dialog.tsx b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert-dialog.tsx new file mode 100644 index 00000000..8722561c --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert-dialog.tsx @@ -0,0 +1,139 @@ +import * as React from "react" +import * as AlertDialogPrimitive from "@radix-ui/react-alert-dialog" + +import { cn } from "@/lib/utils" +import { buttonVariants } from "@/components/ui/button" + +const AlertDialog = AlertDialogPrimitive.Root + +const AlertDialogTrigger = AlertDialogPrimitive.Trigger + +const AlertDialogPortal = AlertDialogPrimitive.Portal + +const AlertDialogOverlay = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AlertDialogOverlay.displayName = AlertDialogPrimitive.Overlay.displayName + +const AlertDialogContent = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + + + + +)) +AlertDialogContent.displayName = AlertDialogPrimitive.Content.displayName + +const AlertDialogHeader = ({ + className, + ...props +}: React.HTMLAttributes) => ( +
+) +AlertDialogHeader.displayName = "AlertDialogHeader" + +const AlertDialogFooter = ({ + className, + ...props +}: React.HTMLAttributes) => ( +
+) +AlertDialogFooter.displayName = "AlertDialogFooter" + +const AlertDialogTitle = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AlertDialogTitle.displayName = AlertDialogPrimitive.Title.displayName + +const AlertDialogDescription = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AlertDialogDescription.displayName = + AlertDialogPrimitive.Description.displayName + +const AlertDialogAction = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AlertDialogAction.displayName = AlertDialogPrimitive.Action.displayName + +const AlertDialogCancel = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AlertDialogCancel.displayName = AlertDialogPrimitive.Cancel.displayName + +export { + AlertDialog, + AlertDialogPortal, + AlertDialogOverlay, + AlertDialogTrigger, + AlertDialogContent, + AlertDialogHeader, + AlertDialogFooter, + AlertDialogTitle, + AlertDialogDescription, + AlertDialogAction, + AlertDialogCancel, +} diff --git a/examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert.tsx b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert.tsx new file mode 100644 index 00000000..41fa7e05 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/alert.tsx @@ -0,0 +1,59 @@ +import * as React from "react" +import { cva, type VariantProps } from "class-variance-authority" + +import { cn } from "@/lib/utils" + +const alertVariants = cva( + "relative w-full rounded-lg border p-4 [&>svg~*]:pl-7 [&>svg+div]:translate-y-[-3px] [&>svg]:absolute [&>svg]:left-4 [&>svg]:top-4 [&>svg]:text-foreground", + { + variants: { + variant: { + default: "bg-background text-foreground", + destructive: + "border-destructive/50 text-destructive dark:border-destructive [&>svg]:text-destructive", + }, + }, + defaultVariants: { + variant: "default", + }, + } +) + +const Alert = React.forwardRef< + HTMLDivElement, + React.HTMLAttributes & VariantProps +>(({ className, variant, ...props }, ref) => ( +
+)) +Alert.displayName = "Alert" + +const AlertTitle = React.forwardRef< + HTMLParagraphElement, + React.HTMLAttributes +>(({ className, ...props }, ref) => ( +
+)) +AlertTitle.displayName = "AlertTitle" + +const AlertDescription = React.forwardRef< + HTMLParagraphElement, + React.HTMLAttributes +>(({ className, ...props }, ref) => ( +
+)) +AlertDescription.displayName = "AlertDescription" + +export { Alert, AlertTitle, AlertDescription } diff --git a/examples/create_agent_app/common/vibe_coding/template/src/components/ui/aspect-ratio.tsx b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/aspect-ratio.tsx new file mode 100644 index 00000000..c4abbf37 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/aspect-ratio.tsx @@ -0,0 +1,5 @@ +import * as AspectRatioPrimitive from "@radix-ui/react-aspect-ratio" + +const AspectRatio = AspectRatioPrimitive.Root + +export { AspectRatio } diff --git a/examples/create_agent_app/common/vibe_coding/template/src/components/ui/avatar.tsx b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/avatar.tsx new file mode 100644 index 00000000..991f56ec --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/avatar.tsx @@ -0,0 +1,48 @@ +import * as React from "react" +import * as AvatarPrimitive from "@radix-ui/react-avatar" + +import { cn } from "@/lib/utils" + +const Avatar = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +Avatar.displayName = AvatarPrimitive.Root.displayName + +const AvatarImage = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AvatarImage.displayName = AvatarPrimitive.Image.displayName + +const AvatarFallback = React.forwardRef< + React.ElementRef, + React.ComponentPropsWithoutRef +>(({ className, ...props }, ref) => ( + +)) +AvatarFallback.displayName = AvatarPrimitive.Fallback.displayName + +export { Avatar, AvatarImage, AvatarFallback } diff --git a/examples/create_agent_app/common/vibe_coding/template/src/components/ui/badge.tsx b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/badge.tsx new file mode 100644 index 00000000..f000e3ef --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/badge.tsx @@ -0,0 +1,36 @@ +import * as React from "react" +import { cva, type VariantProps } from "class-variance-authority" + +import { cn } from "@/lib/utils" + +const badgeVariants = cva( + "inline-flex items-center rounded-full border px-2.5 py-0.5 text-xs font-semibold transition-colors focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2", + { + variants: { + variant: { + default: + "border-transparent bg-primary text-primary-foreground hover:bg-primary/80", + secondary: + "border-transparent bg-secondary text-secondary-foreground hover:bg-secondary/80", + destructive: + "border-transparent bg-destructive text-destructive-foreground hover:bg-destructive/80", + outline: "text-foreground", + }, + }, + defaultVariants: { + variant: "default", + }, + } +) + +export interface BadgeProps + extends React.HTMLAttributes, + VariantProps {} + +function Badge({ className, variant, ...props }: BadgeProps) { + return ( +
+ ) +} + +export { Badge, badgeVariants } diff --git a/examples/create_agent_app/common/vibe_coding/template/src/components/ui/breadcrumb.tsx b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/breadcrumb.tsx new file mode 100644 index 00000000..71a5c325 --- /dev/null +++ b/examples/create_agent_app/common/vibe_coding/template/src/components/ui/breadcrumb.tsx @@ -0,0 +1,115 @@ +import * as React from "react" +import { Slot } from "@radix-ui/react-slot" +import { ChevronRight, MoreHorizontal } from "lucide-react" + +import { cn } from "@/lib/utils" + +const Breadcrumb = React.forwardRef< + HTMLElement, + React.ComponentPropsWithoutRef<"nav"> & { + separator?: React.ReactNode + } +>(({ ...props }, ref) =>