@promptscript/cli 1.0.0-alpha.6 → 1.0.0-alpha.8
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/CHANGELOG.md +19 -0
- package/README.md +36 -0
- package/index.js +1528 -540
- package/package.json +2 -2
- package/src/cli.d.ts.map +1 -1
- package/src/commands/compile.d.ts.map +1 -1
- package/src/commands/diff.d.ts.map +1 -1
- package/src/commands/init.d.ts.map +1 -1
- package/src/commands/update-check.d.ts +6 -0
- package/src/commands/update-check.d.ts.map +1 -0
- package/src/commands/validate.d.ts.map +1 -1
- package/src/index.d.ts +3 -0
- package/src/index.d.ts.map +1 -1
- package/src/types.d.ts +0 -2
- package/src/types.d.ts.map +1 -1
- package/src/utils/manifest-loader.d.ts +157 -0
- package/src/utils/manifest-loader.d.ts.map +1 -0
- package/src/utils/registry-resolver.d.ts +41 -0
- package/src/utils/registry-resolver.d.ts.map +1 -0
- package/src/utils/suggestion-engine.d.ts +56 -0
- package/src/utils/suggestion-engine.d.ts.map +1 -0
- package/src/utils/version-check.d.ts +48 -0
- package/src/utils/version-check.d.ts.map +1 -0
package/index.js
CHANGED
|
@@ -1,7 +1,7 @@
|
|
|
1
1
|
// packages/cli/src/cli.ts
|
|
2
2
|
import { Command } from "commander";
|
|
3
|
-
import { fileURLToPath as
|
|
4
|
-
import { dirname as
|
|
3
|
+
import { fileURLToPath as fileURLToPath3 } from "url";
|
|
4
|
+
import { dirname as dirname9 } from "path";
|
|
5
5
|
|
|
6
6
|
// packages/core/src/types/constants.ts
|
|
7
7
|
var BLOCK_TYPES = [
|
|
@@ -306,7 +306,7 @@ var noopLogger = {
|
|
|
306
306
|
|
|
307
307
|
// packages/cli/src/commands/init.ts
|
|
308
308
|
import { fileURLToPath } from "url";
|
|
309
|
-
import { dirname as
|
|
309
|
+
import { dirname as dirname3 } from "path";
|
|
310
310
|
|
|
311
311
|
// packages/cli/src/services.ts
|
|
312
312
|
import { writeFile, mkdir, readFile, readdir } from "fs/promises";
|
|
@@ -1366,9 +1366,410 @@ Before completing migration:
|
|
|
1366
1366
|
- No duplicate content across blocks
|
|
1367
1367
|
`;
|
|
1368
1368
|
|
|
1369
|
+
// packages/cli/src/utils/manifest-loader.ts
|
|
1370
|
+
import { join as join3, dirname as dirname2 } from "path";
|
|
1371
|
+
import { parse as parseYaml2 } from "yaml";
|
|
1372
|
+
var OFFICIAL_REGISTRY = {
|
|
1373
|
+
name: "PromptScript Official Registry",
|
|
1374
|
+
url: "https://github.com/mrwogu/promptscript-registry.git",
|
|
1375
|
+
branch: "main",
|
|
1376
|
+
manifestUrl: "https://raw.githubusercontent.com/mrwogu/promptscript-registry/main/registry-manifest.yaml"
|
|
1377
|
+
};
|
|
1378
|
+
var ManifestLoadError = class extends Error {
|
|
1379
|
+
originalCause;
|
|
1380
|
+
constructor(message, cause) {
|
|
1381
|
+
super(message);
|
|
1382
|
+
this.name = "ManifestLoadError";
|
|
1383
|
+
this.originalCause = cause;
|
|
1384
|
+
}
|
|
1385
|
+
};
|
|
1386
|
+
var manifestCache = /* @__PURE__ */ new Map();
|
|
1387
|
+
var MANIFEST_FILENAME = "registry-manifest.yaml";
|
|
1388
|
+
async function loadManifest(options = {}, services = createDefaultServices()) {
|
|
1389
|
+
const { registryPath = findDefaultRegistryPath(services), useCache = true } = options;
|
|
1390
|
+
const manifestPath = resolveManifestPath(registryPath, services);
|
|
1391
|
+
if (useCache && manifestCache.has(manifestPath)) {
|
|
1392
|
+
return {
|
|
1393
|
+
manifest: manifestCache.get(manifestPath),
|
|
1394
|
+
path: manifestPath,
|
|
1395
|
+
cached: true
|
|
1396
|
+
};
|
|
1397
|
+
}
|
|
1398
|
+
const manifest = await loadManifestFromPath(manifestPath, services);
|
|
1399
|
+
validateManifest(manifest);
|
|
1400
|
+
if (useCache) {
|
|
1401
|
+
manifestCache.set(manifestPath, manifest);
|
|
1402
|
+
}
|
|
1403
|
+
return {
|
|
1404
|
+
manifest,
|
|
1405
|
+
path: manifestPath,
|
|
1406
|
+
cached: false
|
|
1407
|
+
};
|
|
1408
|
+
}
|
|
1409
|
+
function findDefaultRegistryPath(services) {
|
|
1410
|
+
const candidates = ["./registry", "../promptscript-registry", "./.promptscript-registry"];
|
|
1411
|
+
for (const candidate of candidates) {
|
|
1412
|
+
const manifestPath = join3(services.cwd, candidate, MANIFEST_FILENAME);
|
|
1413
|
+
if (services.fs.existsSync(manifestPath)) {
|
|
1414
|
+
return candidate;
|
|
1415
|
+
}
|
|
1416
|
+
}
|
|
1417
|
+
return "./registry";
|
|
1418
|
+
}
|
|
1419
|
+
function resolveManifestPath(registryPath, services) {
|
|
1420
|
+
if (registryPath.endsWith(".yaml") || registryPath.endsWith(".yml")) {
|
|
1421
|
+
return join3(services.cwd, registryPath);
|
|
1422
|
+
}
|
|
1423
|
+
return join3(services.cwd, registryPath, MANIFEST_FILENAME);
|
|
1424
|
+
}
|
|
1425
|
+
async function loadManifestFromPath(manifestPath, services) {
|
|
1426
|
+
if (!services.fs.existsSync(manifestPath)) {
|
|
1427
|
+
throw new ManifestLoadError(
|
|
1428
|
+
`Registry manifest not found at: ${manifestPath}
|
|
1429
|
+
Run \`prs pull\` to fetch the registry or check your registry configuration.`
|
|
1430
|
+
);
|
|
1431
|
+
}
|
|
1432
|
+
try {
|
|
1433
|
+
const content = await services.fs.readFile(manifestPath, "utf-8");
|
|
1434
|
+
const manifest = parseYaml2(content);
|
|
1435
|
+
return manifest;
|
|
1436
|
+
} catch (error) {
|
|
1437
|
+
throw new ManifestLoadError(
|
|
1438
|
+
`Failed to parse manifest: ${manifestPath}`,
|
|
1439
|
+
error instanceof Error ? error : void 0
|
|
1440
|
+
);
|
|
1441
|
+
}
|
|
1442
|
+
}
|
|
1443
|
+
function validateManifest(manifest) {
|
|
1444
|
+
if (!manifest.version) {
|
|
1445
|
+
throw new ManifestLoadError("Manifest missing required field: version");
|
|
1446
|
+
}
|
|
1447
|
+
if (manifest.version !== "1") {
|
|
1448
|
+
throw new ManifestLoadError(`Unsupported manifest version: ${manifest.version}`);
|
|
1449
|
+
}
|
|
1450
|
+
if (!manifest.meta) {
|
|
1451
|
+
throw new ManifestLoadError("Manifest missing required field: meta");
|
|
1452
|
+
}
|
|
1453
|
+
if (!manifest.catalog) {
|
|
1454
|
+
throw new ManifestLoadError("Manifest missing required field: catalog");
|
|
1455
|
+
}
|
|
1456
|
+
if (!Array.isArray(manifest.catalog)) {
|
|
1457
|
+
throw new ManifestLoadError("Manifest catalog must be an array");
|
|
1458
|
+
}
|
|
1459
|
+
}
|
|
1460
|
+
async function loadManifestFromUrl(url = OFFICIAL_REGISTRY.manifestUrl, useCache = true) {
|
|
1461
|
+
if (useCache && manifestCache.has(url)) {
|
|
1462
|
+
return {
|
|
1463
|
+
manifest: manifestCache.get(url),
|
|
1464
|
+
url,
|
|
1465
|
+
cached: true
|
|
1466
|
+
};
|
|
1467
|
+
}
|
|
1468
|
+
try {
|
|
1469
|
+
const response = await fetch(url, {
|
|
1470
|
+
headers: {
|
|
1471
|
+
Accept: "application/x-yaml, text/yaml, text/plain",
|
|
1472
|
+
"User-Agent": "PromptScript-CLI"
|
|
1473
|
+
}
|
|
1474
|
+
});
|
|
1475
|
+
if (!response.ok) {
|
|
1476
|
+
throw new ManifestLoadError(
|
|
1477
|
+
`Failed to fetch manifest from ${url}: ${response.status} ${response.statusText}`
|
|
1478
|
+
);
|
|
1479
|
+
}
|
|
1480
|
+
const content = await response.text();
|
|
1481
|
+
const manifest = parseYaml2(content);
|
|
1482
|
+
validateManifest(manifest);
|
|
1483
|
+
if (useCache) {
|
|
1484
|
+
manifestCache.set(url, manifest);
|
|
1485
|
+
}
|
|
1486
|
+
return {
|
|
1487
|
+
manifest,
|
|
1488
|
+
url,
|
|
1489
|
+
cached: false
|
|
1490
|
+
};
|
|
1491
|
+
} catch (error) {
|
|
1492
|
+
if (error instanceof ManifestLoadError) {
|
|
1493
|
+
throw error;
|
|
1494
|
+
}
|
|
1495
|
+
throw new ManifestLoadError(
|
|
1496
|
+
`Failed to load manifest from ${url}`,
|
|
1497
|
+
error instanceof Error ? error : void 0
|
|
1498
|
+
);
|
|
1499
|
+
}
|
|
1500
|
+
}
|
|
1501
|
+
function isValidGitUrl(url, allowedHosts) {
|
|
1502
|
+
try {
|
|
1503
|
+
if (url.startsWith("git@")) {
|
|
1504
|
+
const hostMatch = url.match(/^git@([^:]+):/);
|
|
1505
|
+
if (hostMatch && hostMatch[1]) {
|
|
1506
|
+
const host = hostMatch[1];
|
|
1507
|
+
return allowedHosts ? allowedHosts.includes(host) : true;
|
|
1508
|
+
}
|
|
1509
|
+
return false;
|
|
1510
|
+
}
|
|
1511
|
+
if (!url.startsWith("https://") && !url.startsWith("http://")) {
|
|
1512
|
+
return false;
|
|
1513
|
+
}
|
|
1514
|
+
const parsed = new URL(url);
|
|
1515
|
+
if (!parsed.hostname || parsed.hostname.length === 0) {
|
|
1516
|
+
return false;
|
|
1517
|
+
}
|
|
1518
|
+
if (allowedHosts) {
|
|
1519
|
+
return allowedHosts.includes(parsed.hostname);
|
|
1520
|
+
}
|
|
1521
|
+
return true;
|
|
1522
|
+
} catch {
|
|
1523
|
+
return false;
|
|
1524
|
+
}
|
|
1525
|
+
}
|
|
1526
|
+
|
|
1527
|
+
// packages/cli/src/utils/suggestion-engine.ts
|
|
1528
|
+
async function buildProjectContext(projectInfo, services = createDefaultServices()) {
|
|
1529
|
+
const files = await detectProjectFiles(services);
|
|
1530
|
+
const dependencies = await detectDependencies(services);
|
|
1531
|
+
return {
|
|
1532
|
+
files,
|
|
1533
|
+
dependencies,
|
|
1534
|
+
languages: projectInfo.languages,
|
|
1535
|
+
frameworks: projectInfo.frameworks
|
|
1536
|
+
};
|
|
1537
|
+
}
|
|
1538
|
+
async function detectProjectFiles(services) {
|
|
1539
|
+
const relevantFiles = [
|
|
1540
|
+
"package.json",
|
|
1541
|
+
"tsconfig.json",
|
|
1542
|
+
"pyproject.toml",
|
|
1543
|
+
"requirements.txt",
|
|
1544
|
+
"Cargo.toml",
|
|
1545
|
+
"go.mod",
|
|
1546
|
+
"pom.xml",
|
|
1547
|
+
"build.gradle",
|
|
1548
|
+
".git",
|
|
1549
|
+
".env",
|
|
1550
|
+
".env.example",
|
|
1551
|
+
"jest.config.js",
|
|
1552
|
+
"vitest.config.ts",
|
|
1553
|
+
"vitest.config.js",
|
|
1554
|
+
"pytest.ini",
|
|
1555
|
+
"next.config.js",
|
|
1556
|
+
"next.config.mjs",
|
|
1557
|
+
"next.config.ts",
|
|
1558
|
+
"nuxt.config.js",
|
|
1559
|
+
"nuxt.config.ts",
|
|
1560
|
+
"vite.config.js",
|
|
1561
|
+
"vite.config.ts",
|
|
1562
|
+
"Dockerfile",
|
|
1563
|
+
"docker-compose.yml"
|
|
1564
|
+
];
|
|
1565
|
+
const existingFiles = [];
|
|
1566
|
+
for (const file of relevantFiles) {
|
|
1567
|
+
if (services.fs.existsSync(file)) {
|
|
1568
|
+
existingFiles.push(file);
|
|
1569
|
+
}
|
|
1570
|
+
}
|
|
1571
|
+
return existingFiles;
|
|
1572
|
+
}
|
|
1573
|
+
async function detectDependencies(services) {
|
|
1574
|
+
if (!services.fs.existsSync("package.json")) {
|
|
1575
|
+
return [];
|
|
1576
|
+
}
|
|
1577
|
+
try {
|
|
1578
|
+
const content = await services.fs.readFile("package.json", "utf-8");
|
|
1579
|
+
const pkg = JSON.parse(content);
|
|
1580
|
+
return [...Object.keys(pkg.dependencies ?? {}), ...Object.keys(pkg.devDependencies ?? {})];
|
|
1581
|
+
} catch {
|
|
1582
|
+
return [];
|
|
1583
|
+
}
|
|
1584
|
+
}
|
|
1585
|
+
function calculateSuggestions(manifest, context) {
|
|
1586
|
+
const result = {
|
|
1587
|
+
inherit: void 0,
|
|
1588
|
+
use: [],
|
|
1589
|
+
skills: [],
|
|
1590
|
+
reasoning: []
|
|
1591
|
+
};
|
|
1592
|
+
const suggestedUse = /* @__PURE__ */ new Set();
|
|
1593
|
+
const suggestedSkills = /* @__PURE__ */ new Set();
|
|
1594
|
+
for (const rule of manifest.suggestionRules) {
|
|
1595
|
+
const match = matchCondition(rule.condition, context);
|
|
1596
|
+
if (match.matches) {
|
|
1597
|
+
if (rule.suggest.inherit) {
|
|
1598
|
+
if (!result.inherit) {
|
|
1599
|
+
result.inherit = rule.suggest.inherit;
|
|
1600
|
+
result.reasoning.push({
|
|
1601
|
+
suggestion: `inherit: ${rule.suggest.inherit}`,
|
|
1602
|
+
reason: match.reason,
|
|
1603
|
+
trigger: match.trigger,
|
|
1604
|
+
matchedValue: match.matchedValue
|
|
1605
|
+
});
|
|
1606
|
+
}
|
|
1607
|
+
}
|
|
1608
|
+
if (rule.suggest.use) {
|
|
1609
|
+
for (const useItem of rule.suggest.use) {
|
|
1610
|
+
if (!suggestedUse.has(useItem)) {
|
|
1611
|
+
suggestedUse.add(useItem);
|
|
1612
|
+
result.use.push(useItem);
|
|
1613
|
+
result.reasoning.push({
|
|
1614
|
+
suggestion: `use: ${useItem}`,
|
|
1615
|
+
reason: match.reason,
|
|
1616
|
+
trigger: match.trigger,
|
|
1617
|
+
matchedValue: match.matchedValue
|
|
1618
|
+
});
|
|
1619
|
+
}
|
|
1620
|
+
}
|
|
1621
|
+
}
|
|
1622
|
+
if (rule.suggest.skills) {
|
|
1623
|
+
for (const skill of rule.suggest.skills) {
|
|
1624
|
+
if (!suggestedSkills.has(skill)) {
|
|
1625
|
+
suggestedSkills.add(skill);
|
|
1626
|
+
result.skills.push(skill);
|
|
1627
|
+
result.reasoning.push({
|
|
1628
|
+
suggestion: `skill: ${skill}`,
|
|
1629
|
+
reason: match.reason,
|
|
1630
|
+
trigger: match.trigger,
|
|
1631
|
+
matchedValue: match.matchedValue
|
|
1632
|
+
});
|
|
1633
|
+
}
|
|
1634
|
+
}
|
|
1635
|
+
}
|
|
1636
|
+
}
|
|
1637
|
+
}
|
|
1638
|
+
return result;
|
|
1639
|
+
}
|
|
1640
|
+
function matchCondition(condition, context) {
|
|
1641
|
+
if (condition.always) {
|
|
1642
|
+
return {
|
|
1643
|
+
matches: true,
|
|
1644
|
+
reason: "Default recommendation",
|
|
1645
|
+
trigger: "always"
|
|
1646
|
+
};
|
|
1647
|
+
}
|
|
1648
|
+
if (condition.files) {
|
|
1649
|
+
for (const file of condition.files) {
|
|
1650
|
+
if (context.files.includes(file)) {
|
|
1651
|
+
return {
|
|
1652
|
+
matches: true,
|
|
1653
|
+
reason: `Detected file: ${file}`,
|
|
1654
|
+
trigger: "file",
|
|
1655
|
+
matchedValue: file
|
|
1656
|
+
};
|
|
1657
|
+
}
|
|
1658
|
+
}
|
|
1659
|
+
}
|
|
1660
|
+
if (condition.dependencies) {
|
|
1661
|
+
for (const dep of condition.dependencies) {
|
|
1662
|
+
if (context.dependencies.includes(dep)) {
|
|
1663
|
+
return {
|
|
1664
|
+
matches: true,
|
|
1665
|
+
reason: `Detected dependency: ${dep}`,
|
|
1666
|
+
trigger: "dependency",
|
|
1667
|
+
matchedValue: dep
|
|
1668
|
+
};
|
|
1669
|
+
}
|
|
1670
|
+
}
|
|
1671
|
+
}
|
|
1672
|
+
if (condition.languages) {
|
|
1673
|
+
for (const lang of condition.languages) {
|
|
1674
|
+
if (context.languages.includes(lang)) {
|
|
1675
|
+
return {
|
|
1676
|
+
matches: true,
|
|
1677
|
+
reason: `Detected language: ${lang}`,
|
|
1678
|
+
trigger: "language",
|
|
1679
|
+
matchedValue: lang
|
|
1680
|
+
};
|
|
1681
|
+
}
|
|
1682
|
+
}
|
|
1683
|
+
}
|
|
1684
|
+
if (condition.frameworks) {
|
|
1685
|
+
for (const framework of condition.frameworks) {
|
|
1686
|
+
if (context.frameworks.includes(framework)) {
|
|
1687
|
+
return {
|
|
1688
|
+
matches: true,
|
|
1689
|
+
reason: `Detected framework: ${framework}`,
|
|
1690
|
+
trigger: "framework",
|
|
1691
|
+
matchedValue: framework
|
|
1692
|
+
};
|
|
1693
|
+
}
|
|
1694
|
+
}
|
|
1695
|
+
}
|
|
1696
|
+
return {
|
|
1697
|
+
matches: false,
|
|
1698
|
+
reason: "",
|
|
1699
|
+
trigger: "always"
|
|
1700
|
+
};
|
|
1701
|
+
}
|
|
1702
|
+
function formatSuggestionResult(result) {
|
|
1703
|
+
const lines = [];
|
|
1704
|
+
if (result.inherit) {
|
|
1705
|
+
lines.push(`\u{1F4E6} Inherit: ${result.inherit}`);
|
|
1706
|
+
}
|
|
1707
|
+
if (result.use.length > 0) {
|
|
1708
|
+
lines.push(`\u{1F527} Use: ${result.use.join(", ")}`);
|
|
1709
|
+
}
|
|
1710
|
+
if (result.skills.length > 0) {
|
|
1711
|
+
lines.push(`\u26A1 Skills: ${result.skills.join(", ")}`);
|
|
1712
|
+
}
|
|
1713
|
+
if (result.reasoning.length > 0) {
|
|
1714
|
+
lines.push("");
|
|
1715
|
+
lines.push("Reasoning:");
|
|
1716
|
+
for (const r of result.reasoning) {
|
|
1717
|
+
lines.push(` \u2022 ${r.suggestion} (${r.reason})`);
|
|
1718
|
+
}
|
|
1719
|
+
}
|
|
1720
|
+
return lines;
|
|
1721
|
+
}
|
|
1722
|
+
function createSuggestionChoices(manifest, result) {
|
|
1723
|
+
const choices = [];
|
|
1724
|
+
if (result.inherit) {
|
|
1725
|
+
const entry = manifest.catalog.find((e) => e.id === result.inherit);
|
|
1726
|
+
choices.push({
|
|
1727
|
+
name: `${result.inherit} (inherit)`,
|
|
1728
|
+
value: `inherit:${result.inherit}`,
|
|
1729
|
+
checked: true,
|
|
1730
|
+
description: entry?.description
|
|
1731
|
+
});
|
|
1732
|
+
}
|
|
1733
|
+
for (const use of result.use) {
|
|
1734
|
+
const entry = manifest.catalog.find((e) => e.id === use);
|
|
1735
|
+
choices.push({
|
|
1736
|
+
name: `${use} (use)`,
|
|
1737
|
+
value: `use:${use}`,
|
|
1738
|
+
checked: true,
|
|
1739
|
+
description: entry?.description
|
|
1740
|
+
});
|
|
1741
|
+
}
|
|
1742
|
+
for (const skill of result.skills) {
|
|
1743
|
+
const entry = manifest.catalog.find((e) => e.id === skill);
|
|
1744
|
+
choices.push({
|
|
1745
|
+
name: `${skill} (skill)`,
|
|
1746
|
+
value: `skill:${skill}`,
|
|
1747
|
+
checked: true,
|
|
1748
|
+
description: entry?.description
|
|
1749
|
+
});
|
|
1750
|
+
}
|
|
1751
|
+
return choices;
|
|
1752
|
+
}
|
|
1753
|
+
function parseSelectedChoices(selected) {
|
|
1754
|
+
const result = {
|
|
1755
|
+
use: [],
|
|
1756
|
+
skills: []
|
|
1757
|
+
};
|
|
1758
|
+
for (const choice of selected) {
|
|
1759
|
+
if (choice.startsWith("inherit:")) {
|
|
1760
|
+
result.inherit = choice.slice("inherit:".length);
|
|
1761
|
+
} else if (choice.startsWith("use:")) {
|
|
1762
|
+
result.use.push(choice.slice("use:".length));
|
|
1763
|
+
} else if (choice.startsWith("skill:")) {
|
|
1764
|
+
result.skills.push(choice.slice("skill:".length));
|
|
1765
|
+
}
|
|
1766
|
+
}
|
|
1767
|
+
return result;
|
|
1768
|
+
}
|
|
1769
|
+
|
|
1369
1770
|
// packages/cli/src/commands/init.ts
|
|
1370
1771
|
var __filename = fileURLToPath(import.meta.url);
|
|
1371
|
-
var __dirname =
|
|
1772
|
+
var __dirname = dirname3(__filename);
|
|
1372
1773
|
async function initCommand(options, services = createDefaultServices()) {
|
|
1373
1774
|
const { fs: fs4 } = services;
|
|
1374
1775
|
if (fs4.existsSync("promptscript.yaml") && !options.force) {
|
|
@@ -1380,11 +1781,22 @@ async function initCommand(options, services = createDefaultServices()) {
|
|
|
1380
1781
|
const projectInfo = await detectProject(services);
|
|
1381
1782
|
const aiToolsDetection = await detectAITools(services);
|
|
1382
1783
|
const prettierConfigPath = findPrettierConfig(process.cwd());
|
|
1784
|
+
let manifest;
|
|
1785
|
+
try {
|
|
1786
|
+
const registryPath = options.registry ?? "./registry";
|
|
1787
|
+
const { manifest: loadedManifest } = await loadManifest({ registryPath }, services);
|
|
1788
|
+
manifest = loadedManifest;
|
|
1789
|
+
} catch (error) {
|
|
1790
|
+
if (!(error instanceof ManifestLoadError)) {
|
|
1791
|
+
throw error;
|
|
1792
|
+
}
|
|
1793
|
+
}
|
|
1383
1794
|
const config = await resolveConfig(
|
|
1384
1795
|
options,
|
|
1385
1796
|
projectInfo,
|
|
1386
1797
|
aiToolsDetection,
|
|
1387
1798
|
prettierConfigPath,
|
|
1799
|
+
manifest,
|
|
1388
1800
|
services
|
|
1389
1801
|
);
|
|
1390
1802
|
const spinner = createSpinner("Creating PromptScript configuration...").start();
|
|
@@ -1440,7 +1852,14 @@ async function initCommand(options, services = createDefaultServices()) {
|
|
|
1440
1852
|
ConsoleOutput.muted(` Inherit: ${config.inherit}`);
|
|
1441
1853
|
}
|
|
1442
1854
|
if (config.registry) {
|
|
1443
|
-
|
|
1855
|
+
if (config.registry.type === "git") {
|
|
1856
|
+
ConsoleOutput.muted(` Registry: ${config.registry.url} (${config.registry.ref})`);
|
|
1857
|
+
} else {
|
|
1858
|
+
ConsoleOutput.muted(` Registry: ${config.registry.path} (local)`);
|
|
1859
|
+
}
|
|
1860
|
+
}
|
|
1861
|
+
if (config.use && config.use.length > 0) {
|
|
1862
|
+
ConsoleOutput.muted(` Use: ${config.use.join(", ")}`);
|
|
1444
1863
|
}
|
|
1445
1864
|
ConsoleOutput.newline();
|
|
1446
1865
|
if (config.prettierConfigPath) {
|
|
@@ -1494,23 +1913,46 @@ async function initCommand(options, services = createDefaultServices()) {
|
|
|
1494
1913
|
process.exit(1);
|
|
1495
1914
|
}
|
|
1496
1915
|
}
|
|
1497
|
-
async function resolveConfig(options, projectInfo, aiToolsDetection, prettierConfigPath, services) {
|
|
1916
|
+
async function resolveConfig(options, projectInfo, aiToolsDetection, prettierConfigPath, manifest, services) {
|
|
1498
1917
|
if (options.yes) {
|
|
1918
|
+
let inherit = options.inherit;
|
|
1919
|
+
let use;
|
|
1920
|
+
let activeManifest = manifest;
|
|
1921
|
+
if (!activeManifest) {
|
|
1922
|
+
try {
|
|
1923
|
+
const { manifest: remoteManifest } = await loadManifestFromUrl();
|
|
1924
|
+
activeManifest = remoteManifest;
|
|
1925
|
+
} catch {
|
|
1926
|
+
}
|
|
1927
|
+
}
|
|
1928
|
+
if (activeManifest) {
|
|
1929
|
+
const context = await buildProjectContext(projectInfo, services);
|
|
1930
|
+
const suggestions = calculateSuggestions(activeManifest, context);
|
|
1931
|
+
if (!inherit && suggestions.inherit) {
|
|
1932
|
+
inherit = suggestions.inherit;
|
|
1933
|
+
}
|
|
1934
|
+
if (suggestions.use.length > 0) {
|
|
1935
|
+
use = suggestions.use;
|
|
1936
|
+
}
|
|
1937
|
+
}
|
|
1938
|
+
const registry = options.registry ? { type: "local", path: options.registry } : { type: "git", url: OFFICIAL_REGISTRY.url, ref: OFFICIAL_REGISTRY.branch };
|
|
1499
1939
|
return {
|
|
1500
1940
|
projectId: options.name ?? projectInfo.name,
|
|
1501
1941
|
team: options.team,
|
|
1502
|
-
inherit
|
|
1503
|
-
|
|
1942
|
+
inherit,
|
|
1943
|
+
use,
|
|
1944
|
+
registry,
|
|
1504
1945
|
targets: options.targets ?? getSuggestedTargets(aiToolsDetection),
|
|
1505
1946
|
prettierConfigPath
|
|
1506
1947
|
};
|
|
1507
1948
|
}
|
|
1508
1949
|
if (!options.interactive && options.name && options.targets) {
|
|
1950
|
+
const registry = options.registry ? { type: "local", path: options.registry } : void 0;
|
|
1509
1951
|
return {
|
|
1510
1952
|
projectId: options.name,
|
|
1511
1953
|
team: options.team,
|
|
1512
1954
|
inherit: options.inherit,
|
|
1513
|
-
registry
|
|
1955
|
+
registry,
|
|
1514
1956
|
targets: options.targets,
|
|
1515
1957
|
prettierConfigPath
|
|
1516
1958
|
};
|
|
@@ -1520,10 +1962,11 @@ async function resolveConfig(options, projectInfo, aiToolsDetection, prettierCon
|
|
|
1520
1962
|
projectInfo,
|
|
1521
1963
|
aiToolsDetection,
|
|
1522
1964
|
prettierConfigPath,
|
|
1965
|
+
manifest,
|
|
1523
1966
|
services
|
|
1524
1967
|
);
|
|
1525
1968
|
}
|
|
1526
|
-
async function runInteractivePrompts(options, projectInfo, aiToolsDetection, prettierConfigPath, services) {
|
|
1969
|
+
async function runInteractivePrompts(options, projectInfo, aiToolsDetection, prettierConfigPath, manifest, services) {
|
|
1527
1970
|
const { prompts: prompts2 } = services;
|
|
1528
1971
|
ConsoleOutput.newline();
|
|
1529
1972
|
console.log("\u{1F680} PromptScript Setup");
|
|
@@ -1549,33 +1992,124 @@ async function runInteractivePrompts(options, projectInfo, aiToolsDetection, pre
|
|
|
1549
1992
|
message: "Project name:",
|
|
1550
1993
|
default: options.name ?? projectInfo.name
|
|
1551
1994
|
});
|
|
1552
|
-
|
|
1553
|
-
|
|
1554
|
-
|
|
1995
|
+
let registry;
|
|
1996
|
+
let activeManifest = manifest;
|
|
1997
|
+
const registryChoice = await prompts2.select({
|
|
1998
|
+
message: "Registry configuration:",
|
|
1999
|
+
choices: [
|
|
2000
|
+
{
|
|
2001
|
+
name: `\u{1F4E6} Use official PromptScript Registry (${OFFICIAL_REGISTRY.url})`,
|
|
2002
|
+
value: "official"
|
|
2003
|
+
},
|
|
2004
|
+
{
|
|
2005
|
+
name: "\u{1F517} Connect to a custom Git registry",
|
|
2006
|
+
value: "custom-git"
|
|
2007
|
+
},
|
|
2008
|
+
{
|
|
2009
|
+
name: "\u{1F4C1} Use a local registry directory",
|
|
2010
|
+
value: "local"
|
|
2011
|
+
},
|
|
2012
|
+
{
|
|
2013
|
+
name: "\u23ED\uFE0F Skip registry (configure later)",
|
|
2014
|
+
value: "skip"
|
|
2015
|
+
}
|
|
2016
|
+
],
|
|
2017
|
+
default: manifest ? "official" : "skip"
|
|
1555
2018
|
});
|
|
1556
|
-
|
|
1557
|
-
|
|
1558
|
-
|
|
1559
|
-
|
|
1560
|
-
|
|
2019
|
+
if (registryChoice === "official") {
|
|
2020
|
+
registry = {
|
|
2021
|
+
type: "git",
|
|
2022
|
+
url: OFFICIAL_REGISTRY.url,
|
|
2023
|
+
ref: OFFICIAL_REGISTRY.branch
|
|
2024
|
+
};
|
|
2025
|
+
if (!activeManifest) {
|
|
2026
|
+
try {
|
|
2027
|
+
ConsoleOutput.muted("Fetching registry manifest...");
|
|
2028
|
+
const { manifest: remoteManifest } = await loadManifestFromUrl();
|
|
2029
|
+
activeManifest = remoteManifest;
|
|
2030
|
+
ConsoleOutput.success(
|
|
2031
|
+
`Loaded ${remoteManifest.catalog.length} configurations from official registry`
|
|
2032
|
+
);
|
|
2033
|
+
} catch {
|
|
2034
|
+
ConsoleOutput.warn("Could not fetch registry manifest - suggestions will be limited");
|
|
2035
|
+
}
|
|
2036
|
+
}
|
|
2037
|
+
} else if (registryChoice === "custom-git") {
|
|
2038
|
+
const gitUrl = await prompts2.input({
|
|
2039
|
+
message: "Git repository URL:",
|
|
2040
|
+
default: "https://github.com/your-org/your-registry.git",
|
|
1561
2041
|
validate: (value) => {
|
|
1562
|
-
if (!value
|
|
1563
|
-
return "
|
|
2042
|
+
if (!isValidGitUrl(value)) {
|
|
2043
|
+
return "Please enter a valid Git repository URL (https:// or git@)";
|
|
1564
2044
|
}
|
|
1565
2045
|
return true;
|
|
1566
2046
|
}
|
|
1567
2047
|
});
|
|
1568
|
-
|
|
1569
|
-
|
|
1570
|
-
|
|
1571
|
-
|
|
1572
|
-
|
|
1573
|
-
|
|
1574
|
-
|
|
1575
|
-
|
|
1576
|
-
|
|
2048
|
+
const gitRef = await prompts2.input({
|
|
2049
|
+
message: "Branch or tag:",
|
|
2050
|
+
default: "main"
|
|
2051
|
+
});
|
|
2052
|
+
registry = {
|
|
2053
|
+
type: "git",
|
|
2054
|
+
url: gitUrl,
|
|
2055
|
+
ref: gitRef
|
|
2056
|
+
};
|
|
2057
|
+
} else if (registryChoice === "local") {
|
|
2058
|
+
const localPath = await prompts2.input({
|
|
2059
|
+
message: "Local registry path:",
|
|
1577
2060
|
default: options.registry ?? "./registry"
|
|
1578
2061
|
});
|
|
2062
|
+
registry = {
|
|
2063
|
+
type: "local",
|
|
2064
|
+
path: localPath
|
|
2065
|
+
};
|
|
2066
|
+
}
|
|
2067
|
+
let inherit = options.inherit;
|
|
2068
|
+
let use;
|
|
2069
|
+
if (activeManifest) {
|
|
2070
|
+
const context = await buildProjectContext(projectInfo, services);
|
|
2071
|
+
const suggestions = calculateSuggestions(activeManifest, context);
|
|
2072
|
+
if (suggestions.inherit || suggestions.use.length > 0) {
|
|
2073
|
+
ConsoleOutput.newline();
|
|
2074
|
+
console.log("\u{1F4E6} Suggested configurations based on your project:");
|
|
2075
|
+
const suggestionLines = formatSuggestionResult(suggestions);
|
|
2076
|
+
for (const line of suggestionLines) {
|
|
2077
|
+
ConsoleOutput.muted(` ${line}`);
|
|
2078
|
+
}
|
|
2079
|
+
ConsoleOutput.newline();
|
|
2080
|
+
const choices = createSuggestionChoices(activeManifest, suggestions);
|
|
2081
|
+
if (choices.length > 0) {
|
|
2082
|
+
const selected = await prompts2.checkbox({
|
|
2083
|
+
message: "Select configurations to use:",
|
|
2084
|
+
choices: choices.map((c) => ({
|
|
2085
|
+
name: c.description ? `${c.name} - ${c.description}` : c.name,
|
|
2086
|
+
value: c.value,
|
|
2087
|
+
checked: c.checked
|
|
2088
|
+
}))
|
|
2089
|
+
});
|
|
2090
|
+
const parsed = parseSelectedChoices(selected);
|
|
2091
|
+
inherit = parsed.inherit;
|
|
2092
|
+
use = parsed.use.length > 0 ? parsed.use : void 0;
|
|
2093
|
+
}
|
|
2094
|
+
}
|
|
2095
|
+
}
|
|
2096
|
+
if (!inherit) {
|
|
2097
|
+
const wantsInherit = await prompts2.confirm({
|
|
2098
|
+
message: "Do you want to inherit from a parent configuration?",
|
|
2099
|
+
default: false
|
|
2100
|
+
});
|
|
2101
|
+
if (wantsInherit) {
|
|
2102
|
+
inherit = await prompts2.input({
|
|
2103
|
+
message: "Inheritance path (e.g., @stacks/react):",
|
|
2104
|
+
default: options.inherit ?? "@stacks/react",
|
|
2105
|
+
validate: (value) => {
|
|
2106
|
+
if (!value.startsWith("@")) {
|
|
2107
|
+
return "Inheritance path should start with @";
|
|
2108
|
+
}
|
|
2109
|
+
return true;
|
|
2110
|
+
}
|
|
2111
|
+
});
|
|
2112
|
+
}
|
|
1579
2113
|
}
|
|
1580
2114
|
const suggestedTargets = getSuggestedTargets(aiToolsDetection);
|
|
1581
2115
|
const allTargets = getAllTargets();
|
|
@@ -1604,6 +2138,7 @@ async function runInteractivePrompts(options, projectInfo, aiToolsDetection, pre
|
|
|
1604
2138
|
projectId,
|
|
1605
2139
|
team,
|
|
1606
2140
|
inherit,
|
|
2141
|
+
use,
|
|
1607
2142
|
registry,
|
|
1608
2143
|
targets,
|
|
1609
2144
|
prettierConfigPath
|
|
@@ -1627,13 +2162,34 @@ function generateConfig(config) {
|
|
|
1627
2162
|
if (config.inherit) {
|
|
1628
2163
|
lines.push(`inherit: '${config.inherit}'`);
|
|
1629
2164
|
} else {
|
|
1630
|
-
lines.push("# inherit: '@
|
|
2165
|
+
lines.push("# inherit: '@stacks/react'");
|
|
2166
|
+
}
|
|
2167
|
+
lines.push("");
|
|
2168
|
+
if (config.use && config.use.length > 0) {
|
|
2169
|
+
lines.push("use:");
|
|
2170
|
+
for (const useItem of config.use) {
|
|
2171
|
+
lines.push(` - '${useItem}'`);
|
|
2172
|
+
}
|
|
2173
|
+
} else {
|
|
2174
|
+
lines.push("# use:", "# - '@fragments/testing'", "# - '@fragments/typescript'");
|
|
1631
2175
|
}
|
|
1632
2176
|
lines.push("");
|
|
1633
2177
|
if (config.registry) {
|
|
1634
|
-
|
|
2178
|
+
if (config.registry.type === "git") {
|
|
2179
|
+
lines.push("registry:", " git:", ` url: '${config.registry.url}'`);
|
|
2180
|
+
if (config.registry.ref) {
|
|
2181
|
+
lines.push(` ref: '${config.registry.ref}'`);
|
|
2182
|
+
}
|
|
2183
|
+
} else {
|
|
2184
|
+
lines.push("registry:", ` path: '${config.registry.path}'`);
|
|
2185
|
+
}
|
|
1635
2186
|
} else {
|
|
1636
|
-
lines.push(
|
|
2187
|
+
lines.push(
|
|
2188
|
+
"# registry:",
|
|
2189
|
+
"# git:",
|
|
2190
|
+
"# url: 'https://github.com/mrwogu/promptscript-registry.git'",
|
|
2191
|
+
"# ref: 'main'"
|
|
2192
|
+
);
|
|
1637
2193
|
}
|
|
1638
2194
|
lines.push("", "targets:");
|
|
1639
2195
|
for (const target of config.targets) {
|
|
@@ -1654,7 +2210,13 @@ function generateConfig(config) {
|
|
|
1654
2210
|
return lines.join("\n");
|
|
1655
2211
|
}
|
|
1656
2212
|
function generateProjectPs(config, projectInfo) {
|
|
1657
|
-
const inheritLine = config.inherit ? `@inherit ${config.inherit}` : "# @inherit @
|
|
2213
|
+
const inheritLine = config.inherit ? `@inherit ${config.inherit}` : "# @inherit @stacks/react";
|
|
2214
|
+
let useLines = "";
|
|
2215
|
+
if (config.use && config.use.length > 0) {
|
|
2216
|
+
useLines = config.use.map((u) => `@use ${u}`).join("\n");
|
|
2217
|
+
} else {
|
|
2218
|
+
useLines = "# @use @fragments/testing\n# @use @fragments/typescript";
|
|
2219
|
+
}
|
|
1658
2220
|
const languagesLine = projectInfo.languages.length > 0 ? ` languages: [${projectInfo.languages.join(", ")}]` : " # languages: [typescript]";
|
|
1659
2221
|
const frameworksLine = projectInfo.frameworks.length > 0 ? ` frameworks: [${projectInfo.frameworks.join(", ")}]` : " # frameworks: []";
|
|
1660
2222
|
const syntaxVersion = getPackageVersion(__dirname, "./package.json");
|
|
@@ -1667,11 +2229,12 @@ function generateProjectPs(config, projectInfo) {
|
|
|
1667
2229
|
}
|
|
1668
2230
|
|
|
1669
2231
|
${inheritLine}
|
|
2232
|
+
${useLines}
|
|
1670
2233
|
|
|
1671
2234
|
@identity {
|
|
1672
2235
|
"""
|
|
1673
2236
|
You are working on the ${config.projectId} project.
|
|
1674
|
-
|
|
2237
|
+
|
|
1675
2238
|
[Describe your project here]
|
|
1676
2239
|
"""
|
|
1677
2240
|
}
|
|
@@ -1700,7 +2263,7 @@ ${frameworksLine}
|
|
|
1700
2263
|
}
|
|
1701
2264
|
|
|
1702
2265
|
// packages/cli/src/commands/compile.ts
|
|
1703
|
-
import { resolve as resolve4, dirname as
|
|
2266
|
+
import { resolve as resolve4, dirname as dirname6 } from "path";
|
|
1704
2267
|
import { writeFile as writeFile2, mkdir as mkdir2, readFile as readFile6 } from "fs/promises";
|
|
1705
2268
|
import { existsSync as existsSync7 } from "fs";
|
|
1706
2269
|
import chokidar from "chokidar";
|
|
@@ -1708,7 +2271,7 @@ import chokidar from "chokidar";
|
|
|
1708
2271
|
// packages/cli/src/config/loader.ts
|
|
1709
2272
|
import { readFile as readFile3 } from "fs/promises";
|
|
1710
2273
|
import { existsSync as existsSync3 } from "fs";
|
|
1711
|
-
import { parse as
|
|
2274
|
+
import { parse as parseYaml3 } from "yaml";
|
|
1712
2275
|
var CONFIG_FILES = [
|
|
1713
2276
|
"promptscript.yaml",
|
|
1714
2277
|
"promptscript.yml",
|
|
@@ -1755,7 +2318,7 @@ async function loadConfig(customPath) {
|
|
|
1755
2318
|
let content = await readFile3(configFile, "utf-8");
|
|
1756
2319
|
content = interpolateEnvVars(content);
|
|
1757
2320
|
try {
|
|
1758
|
-
return
|
|
2321
|
+
return parseYaml3(content);
|
|
1759
2322
|
} catch (error) {
|
|
1760
2323
|
const message = error instanceof Error ? error.message : "Unknown parse error";
|
|
1761
2324
|
throw new Error(`Failed to parse ${configFile}: ${message}`);
|
|
@@ -1963,8 +2526,284 @@ var conventionRenderers = {
|
|
|
1963
2526
|
markdown: new ConventionRenderer(BUILT_IN_CONVENTIONS.markdown)
|
|
1964
2527
|
};
|
|
1965
2528
|
|
|
2529
|
+
// packages/formatters/src/extractors/types.ts
|
|
2530
|
+
var NON_CODE_KEYS = ["git", "config", "documentation", "diagrams"];
|
|
2531
|
+
var DEFAULT_SECTION_TITLES = {
|
|
2532
|
+
typescript: "TypeScript",
|
|
2533
|
+
naming: "Naming Conventions",
|
|
2534
|
+
errors: "Error Handling",
|
|
2535
|
+
testing: "Testing",
|
|
2536
|
+
security: "Security",
|
|
2537
|
+
performance: "Performance",
|
|
2538
|
+
accessibility: "Accessibility",
|
|
2539
|
+
documentation: "Documentation"
|
|
2540
|
+
};
|
|
2541
|
+
function getSectionTitle(key) {
|
|
2542
|
+
if (key in DEFAULT_SECTION_TITLES) {
|
|
2543
|
+
return DEFAULT_SECTION_TITLES[key];
|
|
2544
|
+
}
|
|
2545
|
+
return key.split(/[-_]/).map((word) => word.charAt(0).toUpperCase() + word.slice(1)).join(" ");
|
|
2546
|
+
}
|
|
2547
|
+
function normalizeSectionName(key) {
|
|
2548
|
+
return key === "errors" ? "error-handling" : key;
|
|
2549
|
+
}
|
|
2550
|
+
|
|
2551
|
+
// packages/formatters/src/extractors/standards-extractor.ts
|
|
2552
|
+
var StandardsExtractor = class {
|
|
2553
|
+
options;
|
|
2554
|
+
constructor(options = {}) {
|
|
2555
|
+
this.options = {
|
|
2556
|
+
supportLegacyFormat: options.supportLegacyFormat ?? true,
|
|
2557
|
+
supportObjectFormat: options.supportObjectFormat ?? true
|
|
2558
|
+
};
|
|
2559
|
+
}
|
|
2560
|
+
/**
|
|
2561
|
+
* Extract standards from a @standards block.
|
|
2562
|
+
* Dynamically iterates over ALL keys, not just hardcoded ones.
|
|
2563
|
+
*/
|
|
2564
|
+
extract(content) {
|
|
2565
|
+
const props = this.getProps(content);
|
|
2566
|
+
const codeStandards = /* @__PURE__ */ new Map();
|
|
2567
|
+
const git = this.extractGit(props);
|
|
2568
|
+
const config = this.extractConfig(props);
|
|
2569
|
+
const documentation = this.extractDocumentation(props);
|
|
2570
|
+
const diagrams = this.extractDiagrams(props);
|
|
2571
|
+
let legacyCodeHandled = false;
|
|
2572
|
+
if (this.options.supportLegacyFormat) {
|
|
2573
|
+
const code = props["code"];
|
|
2574
|
+
if (code && typeof code === "object" && !Array.isArray(code)) {
|
|
2575
|
+
const codeObj = code;
|
|
2576
|
+
if ("style" in codeObj || "patterns" in codeObj) {
|
|
2577
|
+
const items = [];
|
|
2578
|
+
this.addArrayItems(items, codeObj["style"]);
|
|
2579
|
+
this.addArrayItems(items, codeObj["patterns"]);
|
|
2580
|
+
if (items.length > 0) {
|
|
2581
|
+
codeStandards.set("code", {
|
|
2582
|
+
key: "code",
|
|
2583
|
+
sectionName: "code",
|
|
2584
|
+
title: "Code Style",
|
|
2585
|
+
items,
|
|
2586
|
+
rawValue: code
|
|
2587
|
+
});
|
|
2588
|
+
legacyCodeHandled = true;
|
|
2589
|
+
}
|
|
2590
|
+
}
|
|
2591
|
+
}
|
|
2592
|
+
}
|
|
2593
|
+
for (const [key, value] of Object.entries(props)) {
|
|
2594
|
+
if (this.isNonCodeKey(key)) {
|
|
2595
|
+
continue;
|
|
2596
|
+
}
|
|
2597
|
+
if (key === "code" && legacyCodeHandled) {
|
|
2598
|
+
continue;
|
|
2599
|
+
}
|
|
2600
|
+
const entry = this.extractEntry(key, value);
|
|
2601
|
+
if (entry && entry.items.length > 0) {
|
|
2602
|
+
codeStandards.set(key, entry);
|
|
2603
|
+
}
|
|
2604
|
+
}
|
|
2605
|
+
return {
|
|
2606
|
+
codeStandards,
|
|
2607
|
+
git,
|
|
2608
|
+
config,
|
|
2609
|
+
documentation,
|
|
2610
|
+
diagrams
|
|
2611
|
+
};
|
|
2612
|
+
}
|
|
2613
|
+
/**
|
|
2614
|
+
* Extract standards from an AST Program with @standards block.
|
|
2615
|
+
* Convenience method that finds the block first.
|
|
2616
|
+
*/
|
|
2617
|
+
extractFromProgram(ast) {
|
|
2618
|
+
const standards = ast.blocks.find((b) => b.name === "standards" && !b.name.startsWith("__"));
|
|
2619
|
+
if (!standards) return null;
|
|
2620
|
+
return this.extract(standards.content);
|
|
2621
|
+
}
|
|
2622
|
+
/**
|
|
2623
|
+
* Extract a single standards entry from a key-value pair.
|
|
2624
|
+
*/
|
|
2625
|
+
extractEntry(key, value) {
|
|
2626
|
+
const items = [];
|
|
2627
|
+
if (Array.isArray(value)) {
|
|
2628
|
+
for (const item of value) {
|
|
2629
|
+
const str = this.valueToString(item);
|
|
2630
|
+
if (str) items.push(str);
|
|
2631
|
+
}
|
|
2632
|
+
} else if (this.options.supportObjectFormat && value && typeof value === "object") {
|
|
2633
|
+
this.extractFromObject(value, items);
|
|
2634
|
+
} else if (typeof value === "string" && value.trim()) {
|
|
2635
|
+
items.push(value.trim());
|
|
2636
|
+
}
|
|
2637
|
+
if (items.length === 0) return null;
|
|
2638
|
+
return {
|
|
2639
|
+
key,
|
|
2640
|
+
sectionName: normalizeSectionName(key),
|
|
2641
|
+
title: getSectionTitle(key),
|
|
2642
|
+
items,
|
|
2643
|
+
rawValue: value
|
|
2644
|
+
};
|
|
2645
|
+
}
|
|
2646
|
+
/**
|
|
2647
|
+
* Extract items from an object format like { strictMode: true }.
|
|
2648
|
+
* Extracts ALL key-value pairs as items for complete representation.
|
|
2649
|
+
*/
|
|
2650
|
+
extractFromObject(obj, items) {
|
|
2651
|
+
for (const [objKey, objValue] of Object.entries(obj)) {
|
|
2652
|
+
if (objValue === null || objValue === void 0) continue;
|
|
2653
|
+
if (objValue === false) continue;
|
|
2654
|
+
if (objValue === true) {
|
|
2655
|
+
items.push(objKey);
|
|
2656
|
+
continue;
|
|
2657
|
+
}
|
|
2658
|
+
const str = this.valueToString(objValue);
|
|
2659
|
+
if (str) {
|
|
2660
|
+
items.push(`${objKey}: ${str}`);
|
|
2661
|
+
}
|
|
2662
|
+
}
|
|
2663
|
+
}
|
|
2664
|
+
/**
|
|
2665
|
+
* Extract git standards from @standards.git
|
|
2666
|
+
*/
|
|
2667
|
+
extractGit(props) {
|
|
2668
|
+
const git = props["git"];
|
|
2669
|
+
if (!git || typeof git !== "object" || Array.isArray(git)) return void 0;
|
|
2670
|
+
const g = git;
|
|
2671
|
+
const result = {};
|
|
2672
|
+
if (g["format"]) result.format = this.valueToString(g["format"]);
|
|
2673
|
+
if (Array.isArray(g["types"])) {
|
|
2674
|
+
result.types = g["types"].map((t) => this.valueToString(t)).filter(Boolean);
|
|
2675
|
+
}
|
|
2676
|
+
if (g["example"]) result.example = this.valueToString(g["example"]);
|
|
2677
|
+
return Object.keys(result).length > 0 ? result : void 0;
|
|
2678
|
+
}
|
|
2679
|
+
/**
|
|
2680
|
+
* Extract config standards from @standards.config
|
|
2681
|
+
*/
|
|
2682
|
+
extractConfig(props) {
|
|
2683
|
+
const config = props["config"];
|
|
2684
|
+
if (!config || typeof config !== "object" || Array.isArray(config)) return void 0;
|
|
2685
|
+
const c = config;
|
|
2686
|
+
const result = {};
|
|
2687
|
+
for (const [key, value] of Object.entries(c)) {
|
|
2688
|
+
const str = this.valueToString(value);
|
|
2689
|
+
if (str) result[key] = str;
|
|
2690
|
+
}
|
|
2691
|
+
return Object.keys(result).length > 0 ? result : void 0;
|
|
2692
|
+
}
|
|
2693
|
+
/**
|
|
2694
|
+
* Extract documentation standards from @standards.documentation
|
|
2695
|
+
* Handles both array format and object format.
|
|
2696
|
+
*/
|
|
2697
|
+
extractDocumentation(props) {
|
|
2698
|
+
const doc = props["documentation"];
|
|
2699
|
+
if (!doc) return void 0;
|
|
2700
|
+
const items = [];
|
|
2701
|
+
if (Array.isArray(doc)) {
|
|
2702
|
+
for (const item of doc) {
|
|
2703
|
+
const str = this.valueToString(item);
|
|
2704
|
+
if (str) items.push(str);
|
|
2705
|
+
}
|
|
2706
|
+
} else if (typeof doc === "object") {
|
|
2707
|
+
this.extractFromObject(doc, items);
|
|
2708
|
+
} else if (typeof doc === "string" && doc.trim()) {
|
|
2709
|
+
items.push(doc.trim());
|
|
2710
|
+
}
|
|
2711
|
+
return items.length > 0 ? { items, rawValue: doc } : void 0;
|
|
2712
|
+
}
|
|
2713
|
+
/**
|
|
2714
|
+
* Extract diagram standards from @standards.diagrams
|
|
2715
|
+
* Supports both 'format' and 'tool' keys, with 'format' taking precedence.
|
|
2716
|
+
*/
|
|
2717
|
+
extractDiagrams(props) {
|
|
2718
|
+
const diagrams = props["diagrams"];
|
|
2719
|
+
if (!diagrams || typeof diagrams !== "object" || Array.isArray(diagrams)) return void 0;
|
|
2720
|
+
const d = diagrams;
|
|
2721
|
+
let format2;
|
|
2722
|
+
let types;
|
|
2723
|
+
if (d["format"]) {
|
|
2724
|
+
format2 = this.valueToString(d["format"]);
|
|
2725
|
+
} else if (d["tool"]) {
|
|
2726
|
+
format2 = this.valueToString(d["tool"]);
|
|
2727
|
+
}
|
|
2728
|
+
if (Array.isArray(d["types"])) {
|
|
2729
|
+
types = d["types"].map((t) => this.valueToString(t)).filter(Boolean);
|
|
2730
|
+
}
|
|
2731
|
+
if (format2 || types && types.length > 0) {
|
|
2732
|
+
return { format: format2, types, rawValue: diagrams };
|
|
2733
|
+
}
|
|
2734
|
+
return void 0;
|
|
2735
|
+
}
|
|
2736
|
+
/**
|
|
2737
|
+
* Check if a key is a non-code key (git, config, documentation, diagrams).
|
|
2738
|
+
*/
|
|
2739
|
+
isNonCodeKey(key) {
|
|
2740
|
+
return NON_CODE_KEYS.includes(key);
|
|
2741
|
+
}
|
|
2742
|
+
/**
|
|
2743
|
+
* Add array items to the items list.
|
|
2744
|
+
*/
|
|
2745
|
+
addArrayItems(items, value) {
|
|
2746
|
+
if (!Array.isArray(value)) return;
|
|
2747
|
+
for (const item of value) {
|
|
2748
|
+
const str = this.valueToString(item);
|
|
2749
|
+
if (str) items.push(str);
|
|
2750
|
+
}
|
|
2751
|
+
}
|
|
2752
|
+
/**
|
|
2753
|
+
* Get properties from block content.
|
|
2754
|
+
*/
|
|
2755
|
+
getProps(content) {
|
|
2756
|
+
switch (content.type) {
|
|
2757
|
+
case "ObjectContent":
|
|
2758
|
+
return content.properties;
|
|
2759
|
+
case "MixedContent":
|
|
2760
|
+
return content.properties;
|
|
2761
|
+
default:
|
|
2762
|
+
return {};
|
|
2763
|
+
}
|
|
2764
|
+
}
|
|
2765
|
+
/**
|
|
2766
|
+
* Convert a value to string representation.
|
|
2767
|
+
* Handles all Value union types including TextContent, TypeExpression, and plain objects.
|
|
2768
|
+
*/
|
|
2769
|
+
valueToString(value) {
|
|
2770
|
+
if (value === null || value === void 0) return "";
|
|
2771
|
+
if (typeof value === "string") return value;
|
|
2772
|
+
if (typeof value === "number" || typeof value === "boolean") {
|
|
2773
|
+
return String(value);
|
|
2774
|
+
}
|
|
2775
|
+
if (Array.isArray(value)) {
|
|
2776
|
+
return value.map((v) => this.valueToString(v)).join(", ");
|
|
2777
|
+
}
|
|
2778
|
+
if (typeof value === "object" && "type" in value) {
|
|
2779
|
+
if (value.type === "TextContent" && typeof value.value === "string") {
|
|
2780
|
+
return value.value.trim();
|
|
2781
|
+
}
|
|
2782
|
+
if (value.type === "TypeExpression" && "kind" in value) {
|
|
2783
|
+
const kind = value.kind;
|
|
2784
|
+
const params = "params" in value && Array.isArray(value.params) ? value.params : [];
|
|
2785
|
+
if (params.length > 0) {
|
|
2786
|
+
return `${kind}(${params.map((p) => this.valueToString(p)).join(", ")})`;
|
|
2787
|
+
}
|
|
2788
|
+
return kind;
|
|
2789
|
+
}
|
|
2790
|
+
}
|
|
2791
|
+
if (typeof value === "object") {
|
|
2792
|
+
const entries = Object.entries(value);
|
|
2793
|
+
if (entries.length > 0) {
|
|
2794
|
+
return entries.map(([k, v]) => `${k}: ${this.valueToString(v)}`).join(", ");
|
|
2795
|
+
}
|
|
2796
|
+
}
|
|
2797
|
+
return "";
|
|
2798
|
+
}
|
|
2799
|
+
};
|
|
2800
|
+
|
|
1966
2801
|
// packages/formatters/src/base-formatter.ts
|
|
1967
2802
|
var BaseFormatter = class {
|
|
2803
|
+
/**
|
|
2804
|
+
* Shared standards extractor for consistent extraction across all formatters.
|
|
2805
|
+
*/
|
|
2806
|
+
standardsExtractor = new StandardsExtractor();
|
|
1968
2807
|
/**
|
|
1969
2808
|
* Create a convention renderer for this formatter.
|
|
1970
2809
|
* Uses the provided convention from options or falls back to the default.
|
|
@@ -2281,6 +3120,29 @@ var BaseFormatter = class {
|
|
|
2281
3120
|
return "| " + cells.join(" | ") + " |";
|
|
2282
3121
|
});
|
|
2283
3122
|
}
|
|
3123
|
+
/**
|
|
3124
|
+
* Remove common leading whitespace from all lines (dedent).
|
|
3125
|
+
* Handles the case where trim() was already called, causing the first line
|
|
3126
|
+
* to lose its indentation while subsequent lines retain theirs.
|
|
3127
|
+
* Calculates minimum indent from lines 2+ only.
|
|
3128
|
+
*/
|
|
3129
|
+
dedent(text) {
|
|
3130
|
+
const lines = text.split("\n");
|
|
3131
|
+
if (lines.length <= 1) return text.trim();
|
|
3132
|
+
const minIndent = lines.slice(1).filter((line) => line.trim().length > 0).reduce((min, line) => {
|
|
3133
|
+
const match = line.match(/^(\s*)/);
|
|
3134
|
+
const indent = match?.[1]?.length ?? 0;
|
|
3135
|
+
return Math.min(min, indent);
|
|
3136
|
+
}, Infinity);
|
|
3137
|
+
if (minIndent === 0 || minIndent === Infinity) {
|
|
3138
|
+
return text.trim();
|
|
3139
|
+
}
|
|
3140
|
+
const firstLine = lines[0] ?? "";
|
|
3141
|
+
return [
|
|
3142
|
+
firstLine.trim(),
|
|
3143
|
+
...lines.slice(1).map((line) => line.trim().length > 0 ? line.slice(minIndent) : "")
|
|
3144
|
+
].join("\n").trim();
|
|
3145
|
+
}
|
|
2284
3146
|
};
|
|
2285
3147
|
|
|
2286
3148
|
// packages/formatters/src/registry.ts
|
|
@@ -2693,8 +3555,9 @@ var GitHubFormatter = class extends BaseFormatter {
|
|
|
2693
3555
|
const normalizedContent = this.normalizeMarkdownForPrettier(dedentedContent);
|
|
2694
3556
|
lines.push(normalizedContent);
|
|
2695
3557
|
}
|
|
3558
|
+
const cleanName = config.name.replace(/^\/+/, "");
|
|
2696
3559
|
return {
|
|
2697
|
-
path: `.github/prompts/${
|
|
3560
|
+
path: `.github/prompts/${cleanName}.prompt.md`,
|
|
2698
3561
|
content: lines.join("\n") + "\n"
|
|
2699
3562
|
};
|
|
2700
3563
|
}
|
|
@@ -2741,33 +3604,12 @@ var GitHubFormatter = class extends BaseFormatter {
|
|
|
2741
3604
|
const normalizedContent = this.normalizeMarkdownForPrettier(dedentedContent);
|
|
2742
3605
|
lines.push(normalizedContent);
|
|
2743
3606
|
}
|
|
3607
|
+
const cleanName = config.name.replace(/^\/+/, "");
|
|
2744
3608
|
return {
|
|
2745
|
-
path: `.github/skills/${
|
|
3609
|
+
path: `.github/skills/${cleanName}/SKILL.md`,
|
|
2746
3610
|
content: lines.join("\n") + "\n"
|
|
2747
3611
|
};
|
|
2748
3612
|
}
|
|
2749
|
-
/**
|
|
2750
|
-
* Remove common leading indentation from multiline text.
|
|
2751
|
-
* Calculates minimum indent from lines 2+ only, since line 1 may have been
|
|
2752
|
-
* trimmed (losing its indentation) while subsequent lines retain theirs.
|
|
2753
|
-
*/
|
|
2754
|
-
dedent(text) {
|
|
2755
|
-
const lines = text.split("\n");
|
|
2756
|
-
if (lines.length <= 1) return text.trim();
|
|
2757
|
-
const minIndent = lines.slice(1).filter((line) => line.trim().length > 0).reduce((min, line) => {
|
|
2758
|
-
const match = line.match(/^(\s*)/);
|
|
2759
|
-
const indent = match?.[1]?.length ?? 0;
|
|
2760
|
-
return Math.min(min, indent);
|
|
2761
|
-
}, Infinity);
|
|
2762
|
-
if (minIndent === 0 || minIndent === Infinity) {
|
|
2763
|
-
return text.trim();
|
|
2764
|
-
}
|
|
2765
|
-
const firstLine = lines[0] ?? "";
|
|
2766
|
-
return [
|
|
2767
|
-
firstLine.trim(),
|
|
2768
|
-
...lines.slice(1).map((line) => line.trim().length > 0 ? line.slice(minIndent) : "")
|
|
2769
|
-
].join("\n").trim();
|
|
2770
|
-
}
|
|
2771
3613
|
// ============================================================
|
|
2772
3614
|
// AGENTS.md Generation
|
|
2773
3615
|
// ============================================================
|
|
@@ -2907,8 +3749,9 @@ var GitHubFormatter = class extends BaseFormatter {
|
|
|
2907
3749
|
const normalizedContent = this.normalizeMarkdownForPrettier(dedentedContent);
|
|
2908
3750
|
lines.push(normalizedContent);
|
|
2909
3751
|
}
|
|
3752
|
+
const cleanName = config.name.replace(/^\/+/, "");
|
|
2910
3753
|
return {
|
|
2911
|
-
path: `.github/agents/${
|
|
3754
|
+
path: `.github/agents/${cleanName}.md`,
|
|
2912
3755
|
content: lines.join("\n") + "\n"
|
|
2913
3756
|
};
|
|
2914
3757
|
}
|
|
@@ -2924,6 +3767,8 @@ var GitHubFormatter = class extends BaseFormatter {
|
|
|
2924
3767
|
if (architecture) sections.push(architecture);
|
|
2925
3768
|
const codeStandards = this.codeStandards(ast, renderer);
|
|
2926
3769
|
if (codeStandards) sections.push(codeStandards);
|
|
3770
|
+
const shortcuts = this.shortcutsSection(ast, renderer);
|
|
3771
|
+
if (shortcuts) sections.push(shortcuts);
|
|
2927
3772
|
const commands = this.commands(ast, renderer);
|
|
2928
3773
|
if (commands) sections.push(commands);
|
|
2929
3774
|
const gitCommits = this.gitCommits(ast, renderer);
|
|
@@ -2991,26 +3836,42 @@ var GitHubFormatter = class extends BaseFormatter {
|
|
|
2991
3836
|
codeStandards(ast, renderer) {
|
|
2992
3837
|
const standards = this.findBlock(ast, "standards");
|
|
2993
3838
|
if (!standards) return null;
|
|
2994
|
-
const
|
|
3839
|
+
const extracted = this.standardsExtractor.extract(standards.content);
|
|
2995
3840
|
const subsections = [];
|
|
2996
|
-
const
|
|
2997
|
-
|
|
2998
|
-
|
|
2999
|
-
|
|
3000
|
-
|
|
3001
|
-
};
|
|
3002
|
-
for (const [key, sectionName] of Object.entries(sectionMap)) {
|
|
3003
|
-
const value = props[key];
|
|
3004
|
-
if (Array.isArray(value)) {
|
|
3005
|
-
const items = this.formatStandardsList(value);
|
|
3006
|
-
if (items.length > 0) {
|
|
3007
|
-
subsections.push(renderer.renderSection(sectionName, renderer.renderList(items), 2));
|
|
3008
|
-
}
|
|
3841
|
+
for (const entry of extracted.codeStandards.values()) {
|
|
3842
|
+
if (entry.items.length > 0) {
|
|
3843
|
+
subsections.push(
|
|
3844
|
+
renderer.renderSection(entry.sectionName, renderer.renderList(entry.items), 2)
|
|
3845
|
+
);
|
|
3009
3846
|
}
|
|
3010
3847
|
}
|
|
3011
3848
|
if (subsections.length === 0) return null;
|
|
3012
3849
|
return renderer.renderSection("code-standards", subsections.join("\n\n"));
|
|
3013
3850
|
}
|
|
3851
|
+
/**
|
|
3852
|
+
* Generate shortcuts section for copilot-instructions.md.
|
|
3853
|
+
* Includes shortcuts that don't have prompt: true (those go to .prompt.md files).
|
|
3854
|
+
*/
|
|
3855
|
+
shortcutsSection(ast, renderer) {
|
|
3856
|
+
const block = this.findBlock(ast, "shortcuts");
|
|
3857
|
+
if (!block) return null;
|
|
3858
|
+
const props = this.getProps(block.content);
|
|
3859
|
+
const items = [];
|
|
3860
|
+
for (const [name, value] of Object.entries(props)) {
|
|
3861
|
+
if (value && typeof value === "object" && !Array.isArray(value)) {
|
|
3862
|
+
const obj = value;
|
|
3863
|
+
if (obj["prompt"] === true || obj["type"] === "prompt") {
|
|
3864
|
+
continue;
|
|
3865
|
+
}
|
|
3866
|
+
const desc = obj["description"] || obj["content"] || name;
|
|
3867
|
+
items.push(`${name}: ${this.valueToString(desc).split("\n")[0]}`);
|
|
3868
|
+
} else {
|
|
3869
|
+
items.push(`${name}: ${this.valueToString(value).split("\n")[0]}`);
|
|
3870
|
+
}
|
|
3871
|
+
}
|
|
3872
|
+
if (items.length === 0) return null;
|
|
3873
|
+
return renderer.renderSection("shortcuts", renderer.renderList(items));
|
|
3874
|
+
}
|
|
3014
3875
|
commands(ast, renderer) {
|
|
3015
3876
|
const knowledge = this.findBlock(ast, "knowledge");
|
|
3016
3877
|
if (!knowledge) return null;
|
|
@@ -3470,28 +4331,6 @@ var ClaudeFormatter = class extends BaseFormatter {
|
|
|
3470
4331
|
content: lines.join("\n") + "\n"
|
|
3471
4332
|
};
|
|
3472
4333
|
}
|
|
3473
|
-
/**
|
|
3474
|
-
* Remove common leading indentation from multiline text.
|
|
3475
|
-
* Calculates minimum indent from lines 2+ only, since line 1 may have been
|
|
3476
|
-
* trimmed (losing its indentation) while subsequent lines retain theirs.
|
|
3477
|
-
*/
|
|
3478
|
-
dedent(text) {
|
|
3479
|
-
const lines = text.split("\n");
|
|
3480
|
-
if (lines.length <= 1) return text.trim();
|
|
3481
|
-
const minIndent = lines.slice(1).filter((line) => line.trim().length > 0).reduce((min, line) => {
|
|
3482
|
-
const match = line.match(/^(\s*)/);
|
|
3483
|
-
const indent = match?.[1]?.length ?? 0;
|
|
3484
|
-
return Math.min(min, indent);
|
|
3485
|
-
}, Infinity);
|
|
3486
|
-
if (minIndent === 0 || minIndent === Infinity) {
|
|
3487
|
-
return text.trim();
|
|
3488
|
-
}
|
|
3489
|
-
const firstLine = lines[0] ?? "";
|
|
3490
|
-
return [
|
|
3491
|
-
firstLine.trim(),
|
|
3492
|
-
...lines.slice(1).map((line) => line.trim().length > 0 ? line.slice(minIndent) : "")
|
|
3493
|
-
].join("\n").trim();
|
|
3494
|
-
}
|
|
3495
4334
|
// ============================================================
|
|
3496
4335
|
// Agent File Generation
|
|
3497
4336
|
// ============================================================
|
|
@@ -3717,45 +4556,15 @@ var ClaudeFormatter = class extends BaseFormatter {
|
|
|
3717
4556
|
codeStandards(ast, renderer) {
|
|
3718
4557
|
const standards = this.findBlock(ast, "standards");
|
|
3719
4558
|
if (!standards) return null;
|
|
3720
|
-
const
|
|
4559
|
+
const extracted = this.standardsExtractor.extract(standards.content);
|
|
3721
4560
|
const items = [];
|
|
3722
|
-
const
|
|
3723
|
-
|
|
3724
|
-
const codeObj = code;
|
|
3725
|
-
this.addStyleItems(items, codeObj["style"]);
|
|
3726
|
-
this.addStyleItems(items, codeObj["patterns"]);
|
|
3727
|
-
}
|
|
3728
|
-
if (items.length === 0) {
|
|
3729
|
-
this.extractTypeScriptStandards(props, items);
|
|
3730
|
-
this.extractNamingStandards(props, items);
|
|
3731
|
-
this.extractTestingStandards(props, items);
|
|
4561
|
+
for (const entry of extracted.codeStandards.values()) {
|
|
4562
|
+
items.push(...entry.items);
|
|
3732
4563
|
}
|
|
3733
4564
|
if (items.length === 0) return null;
|
|
3734
4565
|
const content = renderer.renderList(items);
|
|
3735
4566
|
return renderer.renderSection("Code Style", content) + "\n";
|
|
3736
4567
|
}
|
|
3737
|
-
extractTypeScriptStandards(props, items) {
|
|
3738
|
-
const ts = props["typescript"];
|
|
3739
|
-
if (!ts || typeof ts !== "object" || Array.isArray(ts)) return;
|
|
3740
|
-
const tsObj = ts;
|
|
3741
|
-
if (tsObj["strictMode"]) items.push("Strict TypeScript, no `any`");
|
|
3742
|
-
if (tsObj["exports"]) items.push("Named exports only");
|
|
3743
|
-
}
|
|
3744
|
-
extractNamingStandards(props, items) {
|
|
3745
|
-
const naming = props["naming"];
|
|
3746
|
-
if (!naming || typeof naming !== "object" || Array.isArray(naming)) return;
|
|
3747
|
-
const n = naming;
|
|
3748
|
-
if (n["files"]) items.push(`Files: ${this.valueToString(n["files"])}`);
|
|
3749
|
-
}
|
|
3750
|
-
extractTestingStandards(props, items) {
|
|
3751
|
-
const testing = props["testing"];
|
|
3752
|
-
if (!testing || typeof testing !== "object" || Array.isArray(testing)) return;
|
|
3753
|
-
const t = testing;
|
|
3754
|
-
const parts = [];
|
|
3755
|
-
if (t["framework"]) parts.push(this.valueToString(t["framework"]));
|
|
3756
|
-
if (t["coverage"]) parts.push(`>${this.valueToString(t["coverage"])}% coverage`);
|
|
3757
|
-
if (parts.length > 0) items.push(`Testing: ${parts.join(", ")}`);
|
|
3758
|
-
}
|
|
3759
4568
|
gitCommits(ast, renderer) {
|
|
3760
4569
|
const standards = this.findBlock(ast, "standards");
|
|
3761
4570
|
if (!standards) return null;
|
|
@@ -3872,11 +4681,6 @@ var ClaudeFormatter = class extends BaseFormatter {
|
|
|
3872
4681
|
}
|
|
3873
4682
|
return [];
|
|
3874
4683
|
}
|
|
3875
|
-
addStyleItems(items, value) {
|
|
3876
|
-
if (!value) return;
|
|
3877
|
-
const arr = Array.isArray(value) ? value : [value];
|
|
3878
|
-
for (const item of arr) items.push(this.valueToString(item));
|
|
3879
|
-
}
|
|
3880
4684
|
};
|
|
3881
4685
|
|
|
3882
4686
|
// packages/formatters/src/formatters/cursor.ts
|
|
@@ -4206,28 +5010,6 @@ var CursorFormatter = class extends BaseFormatter {
|
|
|
4206
5010
|
const orgSuffix = projectInfo.org ? ` at ${projectInfo.org}` : "";
|
|
4207
5011
|
return `You are working on ${projectInfo.text}${orgSuffix}.`;
|
|
4208
5012
|
}
|
|
4209
|
-
/**
|
|
4210
|
-
* Remove common leading whitespace from all lines (dedent).
|
|
4211
|
-
* Handles the case where trim() was already called, causing the first line
|
|
4212
|
-
* to lose its indentation while subsequent lines retain theirs.
|
|
4213
|
-
*/
|
|
4214
|
-
dedent(text) {
|
|
4215
|
-
const lines = text.split("\n");
|
|
4216
|
-
if (lines.length <= 1) return text.trim();
|
|
4217
|
-
const minIndent = lines.slice(1).filter((line) => line.trim().length > 0).reduce((min, line) => {
|
|
4218
|
-
const match = line.match(/^(\s*)/);
|
|
4219
|
-
const indent = match?.[1]?.length ?? 0;
|
|
4220
|
-
return Math.min(min, indent);
|
|
4221
|
-
}, Infinity);
|
|
4222
|
-
if (minIndent === 0 || minIndent === Infinity) {
|
|
4223
|
-
return text.trim();
|
|
4224
|
-
}
|
|
4225
|
-
const firstLine = lines[0] ?? "";
|
|
4226
|
-
return [
|
|
4227
|
-
firstLine.trim(),
|
|
4228
|
-
...lines.slice(1).map((line) => line.trim().length > 0 ? line.slice(minIndent) : "")
|
|
4229
|
-
].join("\n").trim();
|
|
4230
|
-
}
|
|
4231
5013
|
/**
|
|
4232
5014
|
* Generate YAML frontmatter for Cursor MDC format.
|
|
4233
5015
|
* @see https://cursor.com/docs/context/rules
|
|
@@ -4337,70 +5119,15 @@ ${text2.trim()}`;
|
|
|
4337
5119
|
${items.map((i) => "- " + i).join("\n")}`;
|
|
4338
5120
|
}
|
|
4339
5121
|
extractCodeStyleItems(ast) {
|
|
4340
|
-
const codeKeys = ["typescript", "naming", "errors", "testing"];
|
|
4341
|
-
const context = this.findBlock(ast, "context");
|
|
4342
|
-
if (context) {
|
|
4343
|
-
const standards = this.getProp(context.content, "standards");
|
|
4344
|
-
if (standards && typeof standards === "object" && !Array.isArray(standards)) {
|
|
4345
|
-
const filtered = this.filterByKeys(standards, codeKeys);
|
|
4346
|
-
if (Object.keys(filtered).length > 0) {
|
|
4347
|
-
return this.extractNestedRules(filtered);
|
|
4348
|
-
}
|
|
4349
|
-
}
|
|
4350
|
-
}
|
|
4351
5122
|
const standardsBlock = this.findBlock(ast, "standards");
|
|
4352
|
-
if (standardsBlock)
|
|
4353
|
-
|
|
4354
|
-
const filtered = this.filterByKeys(props, codeKeys);
|
|
4355
|
-
if (Object.keys(filtered).length > 0) {
|
|
4356
|
-
return this.extractNestedRules(filtered);
|
|
4357
|
-
}
|
|
4358
|
-
}
|
|
4359
|
-
return [];
|
|
4360
|
-
}
|
|
4361
|
-
filterByKeys(obj, keys2) {
|
|
4362
|
-
const result = {};
|
|
4363
|
-
for (const key of keys2) {
|
|
4364
|
-
if (obj[key] !== void 0) {
|
|
4365
|
-
result[key] = obj[key];
|
|
4366
|
-
}
|
|
4367
|
-
}
|
|
4368
|
-
return result;
|
|
4369
|
-
}
|
|
4370
|
-
extractNestedRules(obj) {
|
|
5123
|
+
if (!standardsBlock) return [];
|
|
5124
|
+
const extracted = this.standardsExtractor.extract(standardsBlock.content);
|
|
4371
5125
|
const items = [];
|
|
4372
|
-
for (const
|
|
4373
|
-
|
|
5126
|
+
for (const entry of extracted.codeStandards.values()) {
|
|
5127
|
+
items.push(...entry.items);
|
|
4374
5128
|
}
|
|
4375
5129
|
return items;
|
|
4376
5130
|
}
|
|
4377
|
-
flattenRules(rules, items) {
|
|
4378
|
-
if (Array.isArray(rules)) {
|
|
4379
|
-
this.extractStringArray(rules, items);
|
|
4380
|
-
return;
|
|
4381
|
-
}
|
|
4382
|
-
if (rules && typeof rules === "object") {
|
|
4383
|
-
this.extractFromObject(rules, items);
|
|
4384
|
-
return;
|
|
4385
|
-
}
|
|
4386
|
-
if (typeof rules === "string") {
|
|
4387
|
-
items.push(rules);
|
|
4388
|
-
}
|
|
4389
|
-
}
|
|
4390
|
-
extractStringArray(arr, items) {
|
|
4391
|
-
for (const item of arr) {
|
|
4392
|
-
if (typeof item === "string") items.push(item);
|
|
4393
|
-
}
|
|
4394
|
-
}
|
|
4395
|
-
extractFromObject(obj, items) {
|
|
4396
|
-
for (const [key, rule] of Object.entries(obj)) {
|
|
4397
|
-
if (Array.isArray(rule)) {
|
|
4398
|
-
this.extractStringArray(rule, items);
|
|
4399
|
-
} else if (typeof rule === "string") {
|
|
4400
|
-
items.push(`${key}: ${rule}`);
|
|
4401
|
-
}
|
|
4402
|
-
}
|
|
4403
|
-
}
|
|
4404
5131
|
gitCommits(ast) {
|
|
4405
5132
|
const standardsBlock = this.findBlock(ast, "standards");
|
|
4406
5133
|
if (standardsBlock) {
|
|
@@ -4923,28 +5650,18 @@ ${this.stripAllIndent(content)}`;
|
|
|
4923
5650
|
}
|
|
4924
5651
|
/**
|
|
4925
5652
|
* Extract code standards from @standards block.
|
|
4926
|
-
*
|
|
5653
|
+
* Uses shared extractor for dynamic key iteration (parity with GitHub/Claude/Cursor).
|
|
4927
5654
|
*/
|
|
4928
5655
|
codeStandards(ast, _renderer) {
|
|
4929
5656
|
const standards = this.findBlock(ast, "standards");
|
|
4930
5657
|
if (!standards) return null;
|
|
4931
|
-
const
|
|
5658
|
+
const extracted = this.standardsExtractor.extract(standards.content);
|
|
4932
5659
|
const subsections = [];
|
|
4933
|
-
const
|
|
4934
|
-
|
|
4935
|
-
|
|
4936
|
-
errors: "Error Handling",
|
|
4937
|
-
testing: "Testing"
|
|
4938
|
-
};
|
|
4939
|
-
for (const [key, title] of Object.entries(sectionMap)) {
|
|
4940
|
-
const value = props[key];
|
|
4941
|
-
if (Array.isArray(value)) {
|
|
4942
|
-
const items = this.formatStandardsList(value);
|
|
4943
|
-
if (items.length > 0) {
|
|
4944
|
-
subsections.push(`### ${title}
|
|
5660
|
+
for (const entry of extracted.codeStandards.values()) {
|
|
5661
|
+
if (entry.items.length > 0) {
|
|
5662
|
+
subsections.push(`### ${entry.title}
|
|
4945
5663
|
|
|
4946
|
-
${items.map((i) => "- " + i).join("\n")}`);
|
|
4947
|
-
}
|
|
5664
|
+
${entry.items.map((i) => "- " + i).join("\n")}`);
|
|
4948
5665
|
}
|
|
4949
5666
|
}
|
|
4950
5667
|
if (subsections.length === 0) return null;
|
|
@@ -5168,20 +5885,20 @@ FormatterRegistry.register("claude", () => new ClaudeFormatter());
|
|
|
5168
5885
|
FormatterRegistry.register("cursor", () => new CursorFormatter());
|
|
5169
5886
|
FormatterRegistry.register("antigravity", () => new AntigravityFormatter());
|
|
5170
5887
|
|
|
5171
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5888
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_freeGlobal.js
|
|
5172
5889
|
var freeGlobal = typeof global == "object" && global && global.Object === Object && global;
|
|
5173
5890
|
var freeGlobal_default = freeGlobal;
|
|
5174
5891
|
|
|
5175
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5892
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_root.js
|
|
5176
5893
|
var freeSelf = typeof self == "object" && self && self.Object === Object && self;
|
|
5177
5894
|
var root = freeGlobal_default || freeSelf || Function("return this")();
|
|
5178
5895
|
var root_default = root;
|
|
5179
5896
|
|
|
5180
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5897
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_Symbol.js
|
|
5181
5898
|
var Symbol = root_default.Symbol;
|
|
5182
5899
|
var Symbol_default = Symbol;
|
|
5183
5900
|
|
|
5184
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5901
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getRawTag.js
|
|
5185
5902
|
var objectProto = Object.prototype;
|
|
5186
5903
|
var hasOwnProperty = objectProto.hasOwnProperty;
|
|
5187
5904
|
var nativeObjectToString = objectProto.toString;
|
|
@@ -5205,7 +5922,7 @@ function getRawTag(value) {
|
|
|
5205
5922
|
}
|
|
5206
5923
|
var getRawTag_default = getRawTag;
|
|
5207
5924
|
|
|
5208
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5925
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_objectToString.js
|
|
5209
5926
|
var objectProto2 = Object.prototype;
|
|
5210
5927
|
var nativeObjectToString2 = objectProto2.toString;
|
|
5211
5928
|
function objectToString(value) {
|
|
@@ -5213,7 +5930,7 @@ function objectToString(value) {
|
|
|
5213
5930
|
}
|
|
5214
5931
|
var objectToString_default = objectToString;
|
|
5215
5932
|
|
|
5216
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5933
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseGetTag.js
|
|
5217
5934
|
var nullTag = "[object Null]";
|
|
5218
5935
|
var undefinedTag = "[object Undefined]";
|
|
5219
5936
|
var symToStringTag2 = Symbol_default ? Symbol_default.toStringTag : void 0;
|
|
@@ -5225,20 +5942,20 @@ function baseGetTag(value) {
|
|
|
5225
5942
|
}
|
|
5226
5943
|
var baseGetTag_default = baseGetTag;
|
|
5227
5944
|
|
|
5228
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5945
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isObjectLike.js
|
|
5229
5946
|
function isObjectLike(value) {
|
|
5230
5947
|
return value != null && typeof value == "object";
|
|
5231
5948
|
}
|
|
5232
5949
|
var isObjectLike_default = isObjectLike;
|
|
5233
5950
|
|
|
5234
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5951
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isSymbol.js
|
|
5235
5952
|
var symbolTag = "[object Symbol]";
|
|
5236
5953
|
function isSymbol(value) {
|
|
5237
5954
|
return typeof value == "symbol" || isObjectLike_default(value) && baseGetTag_default(value) == symbolTag;
|
|
5238
5955
|
}
|
|
5239
5956
|
var isSymbol_default = isSymbol;
|
|
5240
5957
|
|
|
5241
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5958
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayMap.js
|
|
5242
5959
|
function arrayMap(array, iteratee) {
|
|
5243
5960
|
var index = -1, length = array == null ? 0 : array.length, result = Array(length);
|
|
5244
5961
|
while (++index < length) {
|
|
@@ -5248,11 +5965,11 @@ function arrayMap(array, iteratee) {
|
|
|
5248
5965
|
}
|
|
5249
5966
|
var arrayMap_default = arrayMap;
|
|
5250
5967
|
|
|
5251
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5968
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isArray.js
|
|
5252
5969
|
var isArray = Array.isArray;
|
|
5253
5970
|
var isArray_default = isArray;
|
|
5254
5971
|
|
|
5255
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5972
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseToString.js
|
|
5256
5973
|
var INFINITY = 1 / 0;
|
|
5257
5974
|
var symbolProto = Symbol_default ? Symbol_default.prototype : void 0;
|
|
5258
5975
|
var symbolToString = symbolProto ? symbolProto.toString : void 0;
|
|
@@ -5271,7 +5988,7 @@ function baseToString(value) {
|
|
|
5271
5988
|
}
|
|
5272
5989
|
var baseToString_default = baseToString;
|
|
5273
5990
|
|
|
5274
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
5991
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_trimmedEndIndex.js
|
|
5275
5992
|
var reWhitespace = /\s/;
|
|
5276
5993
|
function trimmedEndIndex(string) {
|
|
5277
5994
|
var index = string.length;
|
|
@@ -5281,21 +5998,21 @@ function trimmedEndIndex(string) {
|
|
|
5281
5998
|
}
|
|
5282
5999
|
var trimmedEndIndex_default = trimmedEndIndex;
|
|
5283
6000
|
|
|
5284
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6001
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseTrim.js
|
|
5285
6002
|
var reTrimStart = /^\s+/;
|
|
5286
6003
|
function baseTrim(string) {
|
|
5287
6004
|
return string ? string.slice(0, trimmedEndIndex_default(string) + 1).replace(reTrimStart, "") : string;
|
|
5288
6005
|
}
|
|
5289
6006
|
var baseTrim_default = baseTrim;
|
|
5290
6007
|
|
|
5291
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6008
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isObject.js
|
|
5292
6009
|
function isObject(value) {
|
|
5293
6010
|
var type = typeof value;
|
|
5294
6011
|
return value != null && (type == "object" || type == "function");
|
|
5295
6012
|
}
|
|
5296
6013
|
var isObject_default = isObject;
|
|
5297
6014
|
|
|
5298
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6015
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/toNumber.js
|
|
5299
6016
|
var NAN = 0 / 0;
|
|
5300
6017
|
var reIsBadHex = /^[-+]0x[0-9a-f]+$/i;
|
|
5301
6018
|
var reIsBinary = /^0b[01]+$/i;
|
|
@@ -5321,7 +6038,7 @@ function toNumber(value) {
|
|
|
5321
6038
|
}
|
|
5322
6039
|
var toNumber_default = toNumber;
|
|
5323
6040
|
|
|
5324
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6041
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/toFinite.js
|
|
5325
6042
|
var INFINITY2 = 1 / 0;
|
|
5326
6043
|
var MAX_INTEGER = 17976931348623157e292;
|
|
5327
6044
|
function toFinite(value) {
|
|
@@ -5337,20 +6054,20 @@ function toFinite(value) {
|
|
|
5337
6054
|
}
|
|
5338
6055
|
var toFinite_default = toFinite;
|
|
5339
6056
|
|
|
5340
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6057
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/toInteger.js
|
|
5341
6058
|
function toInteger(value) {
|
|
5342
6059
|
var result = toFinite_default(value), remainder = result % 1;
|
|
5343
6060
|
return result === result ? remainder ? result - remainder : result : 0;
|
|
5344
6061
|
}
|
|
5345
6062
|
var toInteger_default = toInteger;
|
|
5346
6063
|
|
|
5347
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6064
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/identity.js
|
|
5348
6065
|
function identity(value) {
|
|
5349
6066
|
return value;
|
|
5350
6067
|
}
|
|
5351
6068
|
var identity_default = identity;
|
|
5352
6069
|
|
|
5353
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6070
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isFunction.js
|
|
5354
6071
|
var asyncTag = "[object AsyncFunction]";
|
|
5355
6072
|
var funcTag = "[object Function]";
|
|
5356
6073
|
var genTag = "[object GeneratorFunction]";
|
|
@@ -5364,11 +6081,11 @@ function isFunction(value) {
|
|
|
5364
6081
|
}
|
|
5365
6082
|
var isFunction_default = isFunction;
|
|
5366
6083
|
|
|
5367
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6084
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_coreJsData.js
|
|
5368
6085
|
var coreJsData = root_default["__core-js_shared__"];
|
|
5369
6086
|
var coreJsData_default = coreJsData;
|
|
5370
6087
|
|
|
5371
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6088
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isMasked.js
|
|
5372
6089
|
var maskSrcKey = (function() {
|
|
5373
6090
|
var uid = /[^.]+$/.exec(coreJsData_default && coreJsData_default.keys && coreJsData_default.keys.IE_PROTO || "");
|
|
5374
6091
|
return uid ? "Symbol(src)_1." + uid : "";
|
|
@@ -5378,7 +6095,7 @@ function isMasked(func) {
|
|
|
5378
6095
|
}
|
|
5379
6096
|
var isMasked_default = isMasked;
|
|
5380
6097
|
|
|
5381
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6098
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_toSource.js
|
|
5382
6099
|
var funcProto = Function.prototype;
|
|
5383
6100
|
var funcToString = funcProto.toString;
|
|
5384
6101
|
function toSource(func) {
|
|
@@ -5396,7 +6113,7 @@ function toSource(func) {
|
|
|
5396
6113
|
}
|
|
5397
6114
|
var toSource_default = toSource;
|
|
5398
6115
|
|
|
5399
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6116
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsNative.js
|
|
5400
6117
|
var reRegExpChar = /[\\^$.*+?()[\]{}|]/g;
|
|
5401
6118
|
var reIsHostCtor = /^\[object .+?Constructor\]$/;
|
|
5402
6119
|
var funcProto2 = Function.prototype;
|
|
@@ -5415,24 +6132,24 @@ function baseIsNative(value) {
|
|
|
5415
6132
|
}
|
|
5416
6133
|
var baseIsNative_default = baseIsNative;
|
|
5417
6134
|
|
|
5418
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6135
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getValue.js
|
|
5419
6136
|
function getValue(object, key) {
|
|
5420
6137
|
return object == null ? void 0 : object[key];
|
|
5421
6138
|
}
|
|
5422
6139
|
var getValue_default = getValue;
|
|
5423
6140
|
|
|
5424
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6141
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getNative.js
|
|
5425
6142
|
function getNative(object, key) {
|
|
5426
6143
|
var value = getValue_default(object, key);
|
|
5427
6144
|
return baseIsNative_default(value) ? value : void 0;
|
|
5428
6145
|
}
|
|
5429
6146
|
var getNative_default = getNative;
|
|
5430
6147
|
|
|
5431
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6148
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_WeakMap.js
|
|
5432
6149
|
var WeakMap = getNative_default(root_default, "WeakMap");
|
|
5433
6150
|
var WeakMap_default = WeakMap;
|
|
5434
6151
|
|
|
5435
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6152
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseCreate.js
|
|
5436
6153
|
var objectCreate = Object.create;
|
|
5437
6154
|
var baseCreate = /* @__PURE__ */ (function() {
|
|
5438
6155
|
function object() {
|
|
@@ -5452,7 +6169,7 @@ var baseCreate = /* @__PURE__ */ (function() {
|
|
|
5452
6169
|
})();
|
|
5453
6170
|
var baseCreate_default = baseCreate;
|
|
5454
6171
|
|
|
5455
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6172
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_apply.js
|
|
5456
6173
|
function apply(func, thisArg, args) {
|
|
5457
6174
|
switch (args.length) {
|
|
5458
6175
|
case 0:
|
|
@@ -5468,12 +6185,12 @@ function apply(func, thisArg, args) {
|
|
|
5468
6185
|
}
|
|
5469
6186
|
var apply_default = apply;
|
|
5470
6187
|
|
|
5471
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6188
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/noop.js
|
|
5472
6189
|
function noop() {
|
|
5473
6190
|
}
|
|
5474
6191
|
var noop_default = noop;
|
|
5475
6192
|
|
|
5476
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6193
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_copyArray.js
|
|
5477
6194
|
function copyArray(source, array) {
|
|
5478
6195
|
var index = -1, length = source.length;
|
|
5479
6196
|
array || (array = Array(length));
|
|
@@ -5484,7 +6201,7 @@ function copyArray(source, array) {
|
|
|
5484
6201
|
}
|
|
5485
6202
|
var copyArray_default = copyArray;
|
|
5486
6203
|
|
|
5487
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6204
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_shortOut.js
|
|
5488
6205
|
var HOT_COUNT = 800;
|
|
5489
6206
|
var HOT_SPAN = 16;
|
|
5490
6207
|
var nativeNow = Date.now;
|
|
@@ -5505,7 +6222,7 @@ function shortOut(func) {
|
|
|
5505
6222
|
}
|
|
5506
6223
|
var shortOut_default = shortOut;
|
|
5507
6224
|
|
|
5508
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6225
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/constant.js
|
|
5509
6226
|
function constant(value) {
|
|
5510
6227
|
return function() {
|
|
5511
6228
|
return value;
|
|
@@ -5513,7 +6230,7 @@ function constant(value) {
|
|
|
5513
6230
|
}
|
|
5514
6231
|
var constant_default = constant;
|
|
5515
6232
|
|
|
5516
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6233
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_defineProperty.js
|
|
5517
6234
|
var defineProperty = (function() {
|
|
5518
6235
|
try {
|
|
5519
6236
|
var func = getNative_default(Object, "defineProperty");
|
|
@@ -5524,7 +6241,7 @@ var defineProperty = (function() {
|
|
|
5524
6241
|
})();
|
|
5525
6242
|
var defineProperty_default = defineProperty;
|
|
5526
6243
|
|
|
5527
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6244
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseSetToString.js
|
|
5528
6245
|
var baseSetToString = !defineProperty_default ? identity_default : function(func, string) {
|
|
5529
6246
|
return defineProperty_default(func, "toString", {
|
|
5530
6247
|
"configurable": true,
|
|
@@ -5535,11 +6252,11 @@ var baseSetToString = !defineProperty_default ? identity_default : function(func
|
|
|
5535
6252
|
};
|
|
5536
6253
|
var baseSetToString_default = baseSetToString;
|
|
5537
6254
|
|
|
5538
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6255
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_setToString.js
|
|
5539
6256
|
var setToString = shortOut_default(baseSetToString_default);
|
|
5540
6257
|
var setToString_default = setToString;
|
|
5541
6258
|
|
|
5542
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6259
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayEach.js
|
|
5543
6260
|
function arrayEach(array, iteratee) {
|
|
5544
6261
|
var index = -1, length = array == null ? 0 : array.length;
|
|
5545
6262
|
while (++index < length) {
|
|
@@ -5551,7 +6268,7 @@ function arrayEach(array, iteratee) {
|
|
|
5551
6268
|
}
|
|
5552
6269
|
var arrayEach_default = arrayEach;
|
|
5553
6270
|
|
|
5554
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6271
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseFindIndex.js
|
|
5555
6272
|
function baseFindIndex(array, predicate, fromIndex, fromRight) {
|
|
5556
6273
|
var length = array.length, index = fromIndex + (fromRight ? 1 : -1);
|
|
5557
6274
|
while (fromRight ? index-- : ++index < length) {
|
|
@@ -5563,13 +6280,13 @@ function baseFindIndex(array, predicate, fromIndex, fromRight) {
|
|
|
5563
6280
|
}
|
|
5564
6281
|
var baseFindIndex_default = baseFindIndex;
|
|
5565
6282
|
|
|
5566
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6283
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsNaN.js
|
|
5567
6284
|
function baseIsNaN(value) {
|
|
5568
6285
|
return value !== value;
|
|
5569
6286
|
}
|
|
5570
6287
|
var baseIsNaN_default = baseIsNaN;
|
|
5571
6288
|
|
|
5572
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6289
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_strictIndexOf.js
|
|
5573
6290
|
function strictIndexOf(array, value, fromIndex) {
|
|
5574
6291
|
var index = fromIndex - 1, length = array.length;
|
|
5575
6292
|
while (++index < length) {
|
|
@@ -5581,20 +6298,20 @@ function strictIndexOf(array, value, fromIndex) {
|
|
|
5581
6298
|
}
|
|
5582
6299
|
var strictIndexOf_default = strictIndexOf;
|
|
5583
6300
|
|
|
5584
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6301
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIndexOf.js
|
|
5585
6302
|
function baseIndexOf(array, value, fromIndex) {
|
|
5586
6303
|
return value === value ? strictIndexOf_default(array, value, fromIndex) : baseFindIndex_default(array, baseIsNaN_default, fromIndex);
|
|
5587
6304
|
}
|
|
5588
6305
|
var baseIndexOf_default = baseIndexOf;
|
|
5589
6306
|
|
|
5590
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6307
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayIncludes.js
|
|
5591
6308
|
function arrayIncludes(array, value) {
|
|
5592
6309
|
var length = array == null ? 0 : array.length;
|
|
5593
6310
|
return !!length && baseIndexOf_default(array, value, 0) > -1;
|
|
5594
6311
|
}
|
|
5595
6312
|
var arrayIncludes_default = arrayIncludes;
|
|
5596
6313
|
|
|
5597
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6314
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isIndex.js
|
|
5598
6315
|
var MAX_SAFE_INTEGER = 9007199254740991;
|
|
5599
6316
|
var reIsUint = /^(?:0|[1-9]\d*)$/;
|
|
5600
6317
|
function isIndex(value, length) {
|
|
@@ -5604,7 +6321,7 @@ function isIndex(value, length) {
|
|
|
5604
6321
|
}
|
|
5605
6322
|
var isIndex_default = isIndex;
|
|
5606
6323
|
|
|
5607
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6324
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseAssignValue.js
|
|
5608
6325
|
function baseAssignValue(object, key, value) {
|
|
5609
6326
|
if (key == "__proto__" && defineProperty_default) {
|
|
5610
6327
|
defineProperty_default(object, key, {
|
|
@@ -5619,13 +6336,13 @@ function baseAssignValue(object, key, value) {
|
|
|
5619
6336
|
}
|
|
5620
6337
|
var baseAssignValue_default = baseAssignValue;
|
|
5621
6338
|
|
|
5622
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6339
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/eq.js
|
|
5623
6340
|
function eq(value, other) {
|
|
5624
6341
|
return value === other || value !== value && other !== other;
|
|
5625
6342
|
}
|
|
5626
6343
|
var eq_default = eq;
|
|
5627
6344
|
|
|
5628
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6345
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_assignValue.js
|
|
5629
6346
|
var objectProto4 = Object.prototype;
|
|
5630
6347
|
var hasOwnProperty3 = objectProto4.hasOwnProperty;
|
|
5631
6348
|
function assignValue(object, key, value) {
|
|
@@ -5636,7 +6353,7 @@ function assignValue(object, key, value) {
|
|
|
5636
6353
|
}
|
|
5637
6354
|
var assignValue_default = assignValue;
|
|
5638
6355
|
|
|
5639
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6356
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_copyObject.js
|
|
5640
6357
|
function copyObject(source, props, object, customizer) {
|
|
5641
6358
|
var isNew = !object;
|
|
5642
6359
|
object || (object = {});
|
|
@@ -5657,7 +6374,7 @@ function copyObject(source, props, object, customizer) {
|
|
|
5657
6374
|
}
|
|
5658
6375
|
var copyObject_default = copyObject;
|
|
5659
6376
|
|
|
5660
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6377
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_overRest.js
|
|
5661
6378
|
var nativeMax = Math.max;
|
|
5662
6379
|
function overRest(func, start, transform) {
|
|
5663
6380
|
start = nativeMax(start === void 0 ? func.length - 1 : start, 0);
|
|
@@ -5677,26 +6394,26 @@ function overRest(func, start, transform) {
|
|
|
5677
6394
|
}
|
|
5678
6395
|
var overRest_default = overRest;
|
|
5679
6396
|
|
|
5680
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6397
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseRest.js
|
|
5681
6398
|
function baseRest(func, start) {
|
|
5682
6399
|
return setToString_default(overRest_default(func, start, identity_default), func + "");
|
|
5683
6400
|
}
|
|
5684
6401
|
var baseRest_default = baseRest;
|
|
5685
6402
|
|
|
5686
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6403
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isLength.js
|
|
5687
6404
|
var MAX_SAFE_INTEGER2 = 9007199254740991;
|
|
5688
6405
|
function isLength(value) {
|
|
5689
6406
|
return typeof value == "number" && value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER2;
|
|
5690
6407
|
}
|
|
5691
6408
|
var isLength_default = isLength;
|
|
5692
6409
|
|
|
5693
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6410
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isArrayLike.js
|
|
5694
6411
|
function isArrayLike(value) {
|
|
5695
6412
|
return value != null && isLength_default(value.length) && !isFunction_default(value);
|
|
5696
6413
|
}
|
|
5697
6414
|
var isArrayLike_default = isArrayLike;
|
|
5698
6415
|
|
|
5699
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6416
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isIterateeCall.js
|
|
5700
6417
|
function isIterateeCall(value, index, object) {
|
|
5701
6418
|
if (!isObject_default(object)) {
|
|
5702
6419
|
return false;
|
|
@@ -5709,7 +6426,7 @@ function isIterateeCall(value, index, object) {
|
|
|
5709
6426
|
}
|
|
5710
6427
|
var isIterateeCall_default = isIterateeCall;
|
|
5711
6428
|
|
|
5712
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6429
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_createAssigner.js
|
|
5713
6430
|
function createAssigner(assigner) {
|
|
5714
6431
|
return baseRest_default(function(object, sources) {
|
|
5715
6432
|
var index = -1, length = sources.length, customizer = length > 1 ? sources[length - 1] : void 0, guard = length > 2 ? sources[2] : void 0;
|
|
@@ -5730,7 +6447,7 @@ function createAssigner(assigner) {
|
|
|
5730
6447
|
}
|
|
5731
6448
|
var createAssigner_default = createAssigner;
|
|
5732
6449
|
|
|
5733
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6450
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isPrototype.js
|
|
5734
6451
|
var objectProto5 = Object.prototype;
|
|
5735
6452
|
function isPrototype(value) {
|
|
5736
6453
|
var Ctor = value && value.constructor, proto = typeof Ctor == "function" && Ctor.prototype || objectProto5;
|
|
@@ -5738,7 +6455,7 @@ function isPrototype(value) {
|
|
|
5738
6455
|
}
|
|
5739
6456
|
var isPrototype_default = isPrototype;
|
|
5740
6457
|
|
|
5741
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6458
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseTimes.js
|
|
5742
6459
|
function baseTimes(n, iteratee) {
|
|
5743
6460
|
var index = -1, result = Array(n);
|
|
5744
6461
|
while (++index < n) {
|
|
@@ -5748,14 +6465,14 @@ function baseTimes(n, iteratee) {
|
|
|
5748
6465
|
}
|
|
5749
6466
|
var baseTimes_default = baseTimes;
|
|
5750
6467
|
|
|
5751
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6468
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsArguments.js
|
|
5752
6469
|
var argsTag = "[object Arguments]";
|
|
5753
6470
|
function baseIsArguments(value) {
|
|
5754
6471
|
return isObjectLike_default(value) && baseGetTag_default(value) == argsTag;
|
|
5755
6472
|
}
|
|
5756
6473
|
var baseIsArguments_default = baseIsArguments;
|
|
5757
6474
|
|
|
5758
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6475
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isArguments.js
|
|
5759
6476
|
var objectProto6 = Object.prototype;
|
|
5760
6477
|
var hasOwnProperty4 = objectProto6.hasOwnProperty;
|
|
5761
6478
|
var propertyIsEnumerable = objectProto6.propertyIsEnumerable;
|
|
@@ -5766,13 +6483,13 @@ var isArguments = baseIsArguments_default(/* @__PURE__ */ (function() {
|
|
|
5766
6483
|
};
|
|
5767
6484
|
var isArguments_default = isArguments;
|
|
5768
6485
|
|
|
5769
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6486
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/stubFalse.js
|
|
5770
6487
|
function stubFalse() {
|
|
5771
6488
|
return false;
|
|
5772
6489
|
}
|
|
5773
6490
|
var stubFalse_default = stubFalse;
|
|
5774
6491
|
|
|
5775
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6492
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isBuffer.js
|
|
5776
6493
|
var freeExports = typeof exports == "object" && exports && !exports.nodeType && exports;
|
|
5777
6494
|
var freeModule = freeExports && typeof module == "object" && module && !module.nodeType && module;
|
|
5778
6495
|
var moduleExports = freeModule && freeModule.exports === freeExports;
|
|
@@ -5781,7 +6498,7 @@ var nativeIsBuffer = Buffer2 ? Buffer2.isBuffer : void 0;
|
|
|
5781
6498
|
var isBuffer = nativeIsBuffer || stubFalse_default;
|
|
5782
6499
|
var isBuffer_default = isBuffer;
|
|
5783
6500
|
|
|
5784
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6501
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsTypedArray.js
|
|
5785
6502
|
var argsTag2 = "[object Arguments]";
|
|
5786
6503
|
var arrayTag = "[object Array]";
|
|
5787
6504
|
var boolTag = "[object Boolean]";
|
|
@@ -5814,7 +6531,7 @@ function baseIsTypedArray(value) {
|
|
|
5814
6531
|
}
|
|
5815
6532
|
var baseIsTypedArray_default = baseIsTypedArray;
|
|
5816
6533
|
|
|
5817
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6534
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseUnary.js
|
|
5818
6535
|
function baseUnary(func) {
|
|
5819
6536
|
return function(value) {
|
|
5820
6537
|
return func(value);
|
|
@@ -5822,7 +6539,7 @@ function baseUnary(func) {
|
|
|
5822
6539
|
}
|
|
5823
6540
|
var baseUnary_default = baseUnary;
|
|
5824
6541
|
|
|
5825
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6542
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_nodeUtil.js
|
|
5826
6543
|
var freeExports2 = typeof exports == "object" && exports && !exports.nodeType && exports;
|
|
5827
6544
|
var freeModule2 = freeExports2 && typeof module == "object" && module && !module.nodeType && module;
|
|
5828
6545
|
var moduleExports2 = freeModule2 && freeModule2.exports === freeExports2;
|
|
@@ -5839,12 +6556,12 @@ var nodeUtil = (function() {
|
|
|
5839
6556
|
})();
|
|
5840
6557
|
var nodeUtil_default = nodeUtil;
|
|
5841
6558
|
|
|
5842
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6559
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isTypedArray.js
|
|
5843
6560
|
var nodeIsTypedArray = nodeUtil_default && nodeUtil_default.isTypedArray;
|
|
5844
6561
|
var isTypedArray = nodeIsTypedArray ? baseUnary_default(nodeIsTypedArray) : baseIsTypedArray_default;
|
|
5845
6562
|
var isTypedArray_default = isTypedArray;
|
|
5846
6563
|
|
|
5847
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6564
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayLikeKeys.js
|
|
5848
6565
|
var objectProto7 = Object.prototype;
|
|
5849
6566
|
var hasOwnProperty5 = objectProto7.hasOwnProperty;
|
|
5850
6567
|
function arrayLikeKeys(value, inherited) {
|
|
@@ -5862,7 +6579,7 @@ function arrayLikeKeys(value, inherited) {
|
|
|
5862
6579
|
}
|
|
5863
6580
|
var arrayLikeKeys_default = arrayLikeKeys;
|
|
5864
6581
|
|
|
5865
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6582
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_overArg.js
|
|
5866
6583
|
function overArg(func, transform) {
|
|
5867
6584
|
return function(arg) {
|
|
5868
6585
|
return func(transform(arg));
|
|
@@ -5870,11 +6587,11 @@ function overArg(func, transform) {
|
|
|
5870
6587
|
}
|
|
5871
6588
|
var overArg_default = overArg;
|
|
5872
6589
|
|
|
5873
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6590
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_nativeKeys.js
|
|
5874
6591
|
var nativeKeys = overArg_default(Object.keys, Object);
|
|
5875
6592
|
var nativeKeys_default = nativeKeys;
|
|
5876
6593
|
|
|
5877
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6594
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseKeys.js
|
|
5878
6595
|
var objectProto8 = Object.prototype;
|
|
5879
6596
|
var hasOwnProperty6 = objectProto8.hasOwnProperty;
|
|
5880
6597
|
function baseKeys(object) {
|
|
@@ -5891,13 +6608,13 @@ function baseKeys(object) {
|
|
|
5891
6608
|
}
|
|
5892
6609
|
var baseKeys_default = baseKeys;
|
|
5893
6610
|
|
|
5894
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6611
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/keys.js
|
|
5895
6612
|
function keys(object) {
|
|
5896
6613
|
return isArrayLike_default(object) ? arrayLikeKeys_default(object) : baseKeys_default(object);
|
|
5897
6614
|
}
|
|
5898
6615
|
var keys_default = keys;
|
|
5899
6616
|
|
|
5900
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6617
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/assign.js
|
|
5901
6618
|
var objectProto9 = Object.prototype;
|
|
5902
6619
|
var hasOwnProperty7 = objectProto9.hasOwnProperty;
|
|
5903
6620
|
var assign = createAssigner_default(function(object, source) {
|
|
@@ -5913,7 +6630,7 @@ var assign = createAssigner_default(function(object, source) {
|
|
|
5913
6630
|
});
|
|
5914
6631
|
var assign_default = assign;
|
|
5915
6632
|
|
|
5916
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6633
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_nativeKeysIn.js
|
|
5917
6634
|
function nativeKeysIn(object) {
|
|
5918
6635
|
var result = [];
|
|
5919
6636
|
if (object != null) {
|
|
@@ -5925,7 +6642,7 @@ function nativeKeysIn(object) {
|
|
|
5925
6642
|
}
|
|
5926
6643
|
var nativeKeysIn_default = nativeKeysIn;
|
|
5927
6644
|
|
|
5928
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6645
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseKeysIn.js
|
|
5929
6646
|
var objectProto10 = Object.prototype;
|
|
5930
6647
|
var hasOwnProperty8 = objectProto10.hasOwnProperty;
|
|
5931
6648
|
function baseKeysIn(object) {
|
|
@@ -5942,13 +6659,13 @@ function baseKeysIn(object) {
|
|
|
5942
6659
|
}
|
|
5943
6660
|
var baseKeysIn_default = baseKeysIn;
|
|
5944
6661
|
|
|
5945
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6662
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/keysIn.js
|
|
5946
6663
|
function keysIn(object) {
|
|
5947
6664
|
return isArrayLike_default(object) ? arrayLikeKeys_default(object, true) : baseKeysIn_default(object);
|
|
5948
6665
|
}
|
|
5949
6666
|
var keysIn_default = keysIn;
|
|
5950
6667
|
|
|
5951
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6668
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isKey.js
|
|
5952
6669
|
var reIsDeepProp = /\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/;
|
|
5953
6670
|
var reIsPlainProp = /^\w*$/;
|
|
5954
6671
|
function isKey(value, object) {
|
|
@@ -5963,18 +6680,18 @@ function isKey(value, object) {
|
|
|
5963
6680
|
}
|
|
5964
6681
|
var isKey_default = isKey;
|
|
5965
6682
|
|
|
5966
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6683
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_nativeCreate.js
|
|
5967
6684
|
var nativeCreate = getNative_default(Object, "create");
|
|
5968
6685
|
var nativeCreate_default = nativeCreate;
|
|
5969
6686
|
|
|
5970
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6687
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_hashClear.js
|
|
5971
6688
|
function hashClear() {
|
|
5972
6689
|
this.__data__ = nativeCreate_default ? nativeCreate_default(null) : {};
|
|
5973
6690
|
this.size = 0;
|
|
5974
6691
|
}
|
|
5975
6692
|
var hashClear_default = hashClear;
|
|
5976
6693
|
|
|
5977
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6694
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_hashDelete.js
|
|
5978
6695
|
function hashDelete(key) {
|
|
5979
6696
|
var result = this.has(key) && delete this.__data__[key];
|
|
5980
6697
|
this.size -= result ? 1 : 0;
|
|
@@ -5982,7 +6699,7 @@ function hashDelete(key) {
|
|
|
5982
6699
|
}
|
|
5983
6700
|
var hashDelete_default = hashDelete;
|
|
5984
6701
|
|
|
5985
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6702
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_hashGet.js
|
|
5986
6703
|
var HASH_UNDEFINED = "__lodash_hash_undefined__";
|
|
5987
6704
|
var objectProto11 = Object.prototype;
|
|
5988
6705
|
var hasOwnProperty9 = objectProto11.hasOwnProperty;
|
|
@@ -5996,7 +6713,7 @@ function hashGet(key) {
|
|
|
5996
6713
|
}
|
|
5997
6714
|
var hashGet_default = hashGet;
|
|
5998
6715
|
|
|
5999
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6716
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_hashHas.js
|
|
6000
6717
|
var objectProto12 = Object.prototype;
|
|
6001
6718
|
var hasOwnProperty10 = objectProto12.hasOwnProperty;
|
|
6002
6719
|
function hashHas(key) {
|
|
@@ -6005,7 +6722,7 @@ function hashHas(key) {
|
|
|
6005
6722
|
}
|
|
6006
6723
|
var hashHas_default = hashHas;
|
|
6007
6724
|
|
|
6008
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6725
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_hashSet.js
|
|
6009
6726
|
var HASH_UNDEFINED2 = "__lodash_hash_undefined__";
|
|
6010
6727
|
function hashSet(key, value) {
|
|
6011
6728
|
var data = this.__data__;
|
|
@@ -6015,7 +6732,7 @@ function hashSet(key, value) {
|
|
|
6015
6732
|
}
|
|
6016
6733
|
var hashSet_default = hashSet;
|
|
6017
6734
|
|
|
6018
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6735
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_Hash.js
|
|
6019
6736
|
function Hash(entries) {
|
|
6020
6737
|
var index = -1, length = entries == null ? 0 : entries.length;
|
|
6021
6738
|
this.clear();
|
|
@@ -6031,14 +6748,14 @@ Hash.prototype.has = hashHas_default;
|
|
|
6031
6748
|
Hash.prototype.set = hashSet_default;
|
|
6032
6749
|
var Hash_default = Hash;
|
|
6033
6750
|
|
|
6034
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6751
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_listCacheClear.js
|
|
6035
6752
|
function listCacheClear() {
|
|
6036
6753
|
this.__data__ = [];
|
|
6037
6754
|
this.size = 0;
|
|
6038
6755
|
}
|
|
6039
6756
|
var listCacheClear_default = listCacheClear;
|
|
6040
6757
|
|
|
6041
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6758
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_assocIndexOf.js
|
|
6042
6759
|
function assocIndexOf(array, key) {
|
|
6043
6760
|
var length = array.length;
|
|
6044
6761
|
while (length--) {
|
|
@@ -6050,7 +6767,7 @@ function assocIndexOf(array, key) {
|
|
|
6050
6767
|
}
|
|
6051
6768
|
var assocIndexOf_default = assocIndexOf;
|
|
6052
6769
|
|
|
6053
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6770
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_listCacheDelete.js
|
|
6054
6771
|
var arrayProto = Array.prototype;
|
|
6055
6772
|
var splice = arrayProto.splice;
|
|
6056
6773
|
function listCacheDelete(key) {
|
|
@@ -6069,20 +6786,20 @@ function listCacheDelete(key) {
|
|
|
6069
6786
|
}
|
|
6070
6787
|
var listCacheDelete_default = listCacheDelete;
|
|
6071
6788
|
|
|
6072
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6789
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_listCacheGet.js
|
|
6073
6790
|
function listCacheGet(key) {
|
|
6074
6791
|
var data = this.__data__, index = assocIndexOf_default(data, key);
|
|
6075
6792
|
return index < 0 ? void 0 : data[index][1];
|
|
6076
6793
|
}
|
|
6077
6794
|
var listCacheGet_default = listCacheGet;
|
|
6078
6795
|
|
|
6079
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6796
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_listCacheHas.js
|
|
6080
6797
|
function listCacheHas(key) {
|
|
6081
6798
|
return assocIndexOf_default(this.__data__, key) > -1;
|
|
6082
6799
|
}
|
|
6083
6800
|
var listCacheHas_default = listCacheHas;
|
|
6084
6801
|
|
|
6085
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6802
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_listCacheSet.js
|
|
6086
6803
|
function listCacheSet(key, value) {
|
|
6087
6804
|
var data = this.__data__, index = assocIndexOf_default(data, key);
|
|
6088
6805
|
if (index < 0) {
|
|
@@ -6095,7 +6812,7 @@ function listCacheSet(key, value) {
|
|
|
6095
6812
|
}
|
|
6096
6813
|
var listCacheSet_default = listCacheSet;
|
|
6097
6814
|
|
|
6098
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6815
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_ListCache.js
|
|
6099
6816
|
function ListCache(entries) {
|
|
6100
6817
|
var index = -1, length = entries == null ? 0 : entries.length;
|
|
6101
6818
|
this.clear();
|
|
@@ -6111,11 +6828,11 @@ ListCache.prototype.has = listCacheHas_default;
|
|
|
6111
6828
|
ListCache.prototype.set = listCacheSet_default;
|
|
6112
6829
|
var ListCache_default = ListCache;
|
|
6113
6830
|
|
|
6114
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6831
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_Map.js
|
|
6115
6832
|
var Map2 = getNative_default(root_default, "Map");
|
|
6116
6833
|
var Map_default = Map2;
|
|
6117
6834
|
|
|
6118
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6835
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_mapCacheClear.js
|
|
6119
6836
|
function mapCacheClear() {
|
|
6120
6837
|
this.size = 0;
|
|
6121
6838
|
this.__data__ = {
|
|
@@ -6126,21 +6843,21 @@ function mapCacheClear() {
|
|
|
6126
6843
|
}
|
|
6127
6844
|
var mapCacheClear_default = mapCacheClear;
|
|
6128
6845
|
|
|
6129
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6846
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isKeyable.js
|
|
6130
6847
|
function isKeyable(value) {
|
|
6131
6848
|
var type = typeof value;
|
|
6132
6849
|
return type == "string" || type == "number" || type == "symbol" || type == "boolean" ? value !== "__proto__" : value === null;
|
|
6133
6850
|
}
|
|
6134
6851
|
var isKeyable_default = isKeyable;
|
|
6135
6852
|
|
|
6136
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6853
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getMapData.js
|
|
6137
6854
|
function getMapData(map2, key) {
|
|
6138
6855
|
var data = map2.__data__;
|
|
6139
6856
|
return isKeyable_default(key) ? data[typeof key == "string" ? "string" : "hash"] : data.map;
|
|
6140
6857
|
}
|
|
6141
6858
|
var getMapData_default = getMapData;
|
|
6142
6859
|
|
|
6143
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6860
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_mapCacheDelete.js
|
|
6144
6861
|
function mapCacheDelete(key) {
|
|
6145
6862
|
var result = getMapData_default(this, key)["delete"](key);
|
|
6146
6863
|
this.size -= result ? 1 : 0;
|
|
@@ -6148,19 +6865,19 @@ function mapCacheDelete(key) {
|
|
|
6148
6865
|
}
|
|
6149
6866
|
var mapCacheDelete_default = mapCacheDelete;
|
|
6150
6867
|
|
|
6151
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6868
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_mapCacheGet.js
|
|
6152
6869
|
function mapCacheGet(key) {
|
|
6153
6870
|
return getMapData_default(this, key).get(key);
|
|
6154
6871
|
}
|
|
6155
6872
|
var mapCacheGet_default = mapCacheGet;
|
|
6156
6873
|
|
|
6157
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6874
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_mapCacheHas.js
|
|
6158
6875
|
function mapCacheHas(key) {
|
|
6159
6876
|
return getMapData_default(this, key).has(key);
|
|
6160
6877
|
}
|
|
6161
6878
|
var mapCacheHas_default = mapCacheHas;
|
|
6162
6879
|
|
|
6163
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6880
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_mapCacheSet.js
|
|
6164
6881
|
function mapCacheSet(key, value) {
|
|
6165
6882
|
var data = getMapData_default(this, key), size = data.size;
|
|
6166
6883
|
data.set(key, value);
|
|
@@ -6169,7 +6886,7 @@ function mapCacheSet(key, value) {
|
|
|
6169
6886
|
}
|
|
6170
6887
|
var mapCacheSet_default = mapCacheSet;
|
|
6171
6888
|
|
|
6172
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6889
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_MapCache.js
|
|
6173
6890
|
function MapCache(entries) {
|
|
6174
6891
|
var index = -1, length = entries == null ? 0 : entries.length;
|
|
6175
6892
|
this.clear();
|
|
@@ -6185,7 +6902,7 @@ MapCache.prototype.has = mapCacheHas_default;
|
|
|
6185
6902
|
MapCache.prototype.set = mapCacheSet_default;
|
|
6186
6903
|
var MapCache_default = MapCache;
|
|
6187
6904
|
|
|
6188
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6905
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/memoize.js
|
|
6189
6906
|
var FUNC_ERROR_TEXT = "Expected a function";
|
|
6190
6907
|
function memoize(func, resolver) {
|
|
6191
6908
|
if (typeof func != "function" || resolver != null && typeof resolver != "function") {
|
|
@@ -6206,7 +6923,7 @@ function memoize(func, resolver) {
|
|
|
6206
6923
|
memoize.Cache = MapCache_default;
|
|
6207
6924
|
var memoize_default = memoize;
|
|
6208
6925
|
|
|
6209
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6926
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_memoizeCapped.js
|
|
6210
6927
|
var MAX_MEMOIZE_SIZE = 500;
|
|
6211
6928
|
function memoizeCapped(func) {
|
|
6212
6929
|
var result = memoize_default(func, function(key) {
|
|
@@ -6220,7 +6937,7 @@ function memoizeCapped(func) {
|
|
|
6220
6937
|
}
|
|
6221
6938
|
var memoizeCapped_default = memoizeCapped;
|
|
6222
6939
|
|
|
6223
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6940
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_stringToPath.js
|
|
6224
6941
|
var rePropName = /[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g;
|
|
6225
6942
|
var reEscapeChar = /\\(\\)?/g;
|
|
6226
6943
|
var stringToPath = memoizeCapped_default(function(string) {
|
|
@@ -6235,13 +6952,13 @@ var stringToPath = memoizeCapped_default(function(string) {
|
|
|
6235
6952
|
});
|
|
6236
6953
|
var stringToPath_default = stringToPath;
|
|
6237
6954
|
|
|
6238
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6955
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/toString.js
|
|
6239
6956
|
function toString(value) {
|
|
6240
6957
|
return value == null ? "" : baseToString_default(value);
|
|
6241
6958
|
}
|
|
6242
6959
|
var toString_default = toString;
|
|
6243
6960
|
|
|
6244
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6961
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_castPath.js
|
|
6245
6962
|
function castPath(value, object) {
|
|
6246
6963
|
if (isArray_default(value)) {
|
|
6247
6964
|
return value;
|
|
@@ -6250,7 +6967,7 @@ function castPath(value, object) {
|
|
|
6250
6967
|
}
|
|
6251
6968
|
var castPath_default = castPath;
|
|
6252
6969
|
|
|
6253
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6970
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_toKey.js
|
|
6254
6971
|
var INFINITY3 = 1 / 0;
|
|
6255
6972
|
function toKey(value) {
|
|
6256
6973
|
if (typeof value == "string" || isSymbol_default(value)) {
|
|
@@ -6261,7 +6978,7 @@ function toKey(value) {
|
|
|
6261
6978
|
}
|
|
6262
6979
|
var toKey_default = toKey;
|
|
6263
6980
|
|
|
6264
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6981
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseGet.js
|
|
6265
6982
|
function baseGet(object, path) {
|
|
6266
6983
|
path = castPath_default(path, object);
|
|
6267
6984
|
var index = 0, length = path.length;
|
|
@@ -6272,14 +6989,14 @@ function baseGet(object, path) {
|
|
|
6272
6989
|
}
|
|
6273
6990
|
var baseGet_default = baseGet;
|
|
6274
6991
|
|
|
6275
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6992
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/get.js
|
|
6276
6993
|
function get(object, path, defaultValue) {
|
|
6277
6994
|
var result = object == null ? void 0 : baseGet_default(object, path);
|
|
6278
6995
|
return result === void 0 ? defaultValue : result;
|
|
6279
6996
|
}
|
|
6280
6997
|
var get_default = get;
|
|
6281
6998
|
|
|
6282
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
6999
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayPush.js
|
|
6283
7000
|
function arrayPush(array, values2) {
|
|
6284
7001
|
var index = -1, length = values2.length, offset = array.length;
|
|
6285
7002
|
while (++index < length) {
|
|
@@ -6289,14 +7006,14 @@ function arrayPush(array, values2) {
|
|
|
6289
7006
|
}
|
|
6290
7007
|
var arrayPush_default = arrayPush;
|
|
6291
7008
|
|
|
6292
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7009
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isFlattenable.js
|
|
6293
7010
|
var spreadableSymbol = Symbol_default ? Symbol_default.isConcatSpreadable : void 0;
|
|
6294
7011
|
function isFlattenable(value) {
|
|
6295
7012
|
return isArray_default(value) || isArguments_default(value) || !!(spreadableSymbol && value && value[spreadableSymbol]);
|
|
6296
7013
|
}
|
|
6297
7014
|
var isFlattenable_default = isFlattenable;
|
|
6298
7015
|
|
|
6299
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7016
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseFlatten.js
|
|
6300
7017
|
function baseFlatten(array, depth, predicate, isStrict, result) {
|
|
6301
7018
|
var index = -1, length = array.length;
|
|
6302
7019
|
predicate || (predicate = isFlattenable_default);
|
|
@@ -6317,18 +7034,18 @@ function baseFlatten(array, depth, predicate, isStrict, result) {
|
|
|
6317
7034
|
}
|
|
6318
7035
|
var baseFlatten_default = baseFlatten;
|
|
6319
7036
|
|
|
6320
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7037
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/flatten.js
|
|
6321
7038
|
function flatten(array) {
|
|
6322
7039
|
var length = array == null ? 0 : array.length;
|
|
6323
7040
|
return length ? baseFlatten_default(array, 1) : [];
|
|
6324
7041
|
}
|
|
6325
7042
|
var flatten_default = flatten;
|
|
6326
7043
|
|
|
6327
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7044
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getPrototype.js
|
|
6328
7045
|
var getPrototype = overArg_default(Object.getPrototypeOf, Object);
|
|
6329
7046
|
var getPrototype_default = getPrototype;
|
|
6330
7047
|
|
|
6331
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7048
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseSlice.js
|
|
6332
7049
|
function baseSlice(array, start, end) {
|
|
6333
7050
|
var index = -1, length = array.length;
|
|
6334
7051
|
if (start < 0) {
|
|
@@ -6348,7 +7065,7 @@ function baseSlice(array, start, end) {
|
|
|
6348
7065
|
}
|
|
6349
7066
|
var baseSlice_default = baseSlice;
|
|
6350
7067
|
|
|
6351
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7068
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayReduce.js
|
|
6352
7069
|
function arrayReduce(array, iteratee, accumulator, initAccum) {
|
|
6353
7070
|
var index = -1, length = array == null ? 0 : array.length;
|
|
6354
7071
|
if (initAccum && length) {
|
|
@@ -6361,14 +7078,14 @@ function arrayReduce(array, iteratee, accumulator, initAccum) {
|
|
|
6361
7078
|
}
|
|
6362
7079
|
var arrayReduce_default = arrayReduce;
|
|
6363
7080
|
|
|
6364
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7081
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_stackClear.js
|
|
6365
7082
|
function stackClear() {
|
|
6366
7083
|
this.__data__ = new ListCache_default();
|
|
6367
7084
|
this.size = 0;
|
|
6368
7085
|
}
|
|
6369
7086
|
var stackClear_default = stackClear;
|
|
6370
7087
|
|
|
6371
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7088
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_stackDelete.js
|
|
6372
7089
|
function stackDelete(key) {
|
|
6373
7090
|
var data = this.__data__, result = data["delete"](key);
|
|
6374
7091
|
this.size = data.size;
|
|
@@ -6376,19 +7093,19 @@ function stackDelete(key) {
|
|
|
6376
7093
|
}
|
|
6377
7094
|
var stackDelete_default = stackDelete;
|
|
6378
7095
|
|
|
6379
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7096
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_stackGet.js
|
|
6380
7097
|
function stackGet(key) {
|
|
6381
7098
|
return this.__data__.get(key);
|
|
6382
7099
|
}
|
|
6383
7100
|
var stackGet_default = stackGet;
|
|
6384
7101
|
|
|
6385
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7102
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_stackHas.js
|
|
6386
7103
|
function stackHas(key) {
|
|
6387
7104
|
return this.__data__.has(key);
|
|
6388
7105
|
}
|
|
6389
7106
|
var stackHas_default = stackHas;
|
|
6390
7107
|
|
|
6391
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7108
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_stackSet.js
|
|
6392
7109
|
var LARGE_ARRAY_SIZE = 200;
|
|
6393
7110
|
function stackSet(key, value) {
|
|
6394
7111
|
var data = this.__data__;
|
|
@@ -6407,7 +7124,7 @@ function stackSet(key, value) {
|
|
|
6407
7124
|
}
|
|
6408
7125
|
var stackSet_default = stackSet;
|
|
6409
7126
|
|
|
6410
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7127
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_Stack.js
|
|
6411
7128
|
function Stack(entries) {
|
|
6412
7129
|
var data = this.__data__ = new ListCache_default(entries);
|
|
6413
7130
|
this.size = data.size;
|
|
@@ -6419,19 +7136,19 @@ Stack.prototype.has = stackHas_default;
|
|
|
6419
7136
|
Stack.prototype.set = stackSet_default;
|
|
6420
7137
|
var Stack_default = Stack;
|
|
6421
7138
|
|
|
6422
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7139
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseAssign.js
|
|
6423
7140
|
function baseAssign(object, source) {
|
|
6424
7141
|
return object && copyObject_default(source, keys_default(source), object);
|
|
6425
7142
|
}
|
|
6426
7143
|
var baseAssign_default = baseAssign;
|
|
6427
7144
|
|
|
6428
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7145
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseAssignIn.js
|
|
6429
7146
|
function baseAssignIn(object, source) {
|
|
6430
7147
|
return object && copyObject_default(source, keysIn_default(source), object);
|
|
6431
7148
|
}
|
|
6432
7149
|
var baseAssignIn_default = baseAssignIn;
|
|
6433
7150
|
|
|
6434
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7151
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_cloneBuffer.js
|
|
6435
7152
|
var freeExports3 = typeof exports == "object" && exports && !exports.nodeType && exports;
|
|
6436
7153
|
var freeModule3 = freeExports3 && typeof module == "object" && module && !module.nodeType && module;
|
|
6437
7154
|
var moduleExports3 = freeModule3 && freeModule3.exports === freeExports3;
|
|
@@ -6447,7 +7164,7 @@ function cloneBuffer(buffer, isDeep) {
|
|
|
6447
7164
|
}
|
|
6448
7165
|
var cloneBuffer_default = cloneBuffer;
|
|
6449
7166
|
|
|
6450
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7167
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayFilter.js
|
|
6451
7168
|
function arrayFilter(array, predicate) {
|
|
6452
7169
|
var index = -1, length = array == null ? 0 : array.length, resIndex = 0, result = [];
|
|
6453
7170
|
while (++index < length) {
|
|
@@ -6460,13 +7177,13 @@ function arrayFilter(array, predicate) {
|
|
|
6460
7177
|
}
|
|
6461
7178
|
var arrayFilter_default = arrayFilter;
|
|
6462
7179
|
|
|
6463
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7180
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/stubArray.js
|
|
6464
7181
|
function stubArray() {
|
|
6465
7182
|
return [];
|
|
6466
7183
|
}
|
|
6467
7184
|
var stubArray_default = stubArray;
|
|
6468
7185
|
|
|
6469
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7186
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getSymbols.js
|
|
6470
7187
|
var objectProto13 = Object.prototype;
|
|
6471
7188
|
var propertyIsEnumerable2 = objectProto13.propertyIsEnumerable;
|
|
6472
7189
|
var nativeGetSymbols = Object.getOwnPropertySymbols;
|
|
@@ -6481,13 +7198,13 @@ var getSymbols = !nativeGetSymbols ? stubArray_default : function(object) {
|
|
|
6481
7198
|
};
|
|
6482
7199
|
var getSymbols_default = getSymbols;
|
|
6483
7200
|
|
|
6484
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7201
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_copySymbols.js
|
|
6485
7202
|
function copySymbols(source, object) {
|
|
6486
7203
|
return copyObject_default(source, getSymbols_default(source), object);
|
|
6487
7204
|
}
|
|
6488
7205
|
var copySymbols_default = copySymbols;
|
|
6489
7206
|
|
|
6490
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7207
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getSymbolsIn.js
|
|
6491
7208
|
var nativeGetSymbols2 = Object.getOwnPropertySymbols;
|
|
6492
7209
|
var getSymbolsIn = !nativeGetSymbols2 ? stubArray_default : function(object) {
|
|
6493
7210
|
var result = [];
|
|
@@ -6499,44 +7216,44 @@ var getSymbolsIn = !nativeGetSymbols2 ? stubArray_default : function(object) {
|
|
|
6499
7216
|
};
|
|
6500
7217
|
var getSymbolsIn_default = getSymbolsIn;
|
|
6501
7218
|
|
|
6502
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7219
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_copySymbolsIn.js
|
|
6503
7220
|
function copySymbolsIn(source, object) {
|
|
6504
7221
|
return copyObject_default(source, getSymbolsIn_default(source), object);
|
|
6505
7222
|
}
|
|
6506
7223
|
var copySymbolsIn_default = copySymbolsIn;
|
|
6507
7224
|
|
|
6508
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7225
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseGetAllKeys.js
|
|
6509
7226
|
function baseGetAllKeys(object, keysFunc, symbolsFunc) {
|
|
6510
7227
|
var result = keysFunc(object);
|
|
6511
7228
|
return isArray_default(object) ? result : arrayPush_default(result, symbolsFunc(object));
|
|
6512
7229
|
}
|
|
6513
7230
|
var baseGetAllKeys_default = baseGetAllKeys;
|
|
6514
7231
|
|
|
6515
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7232
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getAllKeys.js
|
|
6516
7233
|
function getAllKeys(object) {
|
|
6517
7234
|
return baseGetAllKeys_default(object, keys_default, getSymbols_default);
|
|
6518
7235
|
}
|
|
6519
7236
|
var getAllKeys_default = getAllKeys;
|
|
6520
7237
|
|
|
6521
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7238
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getAllKeysIn.js
|
|
6522
7239
|
function getAllKeysIn(object) {
|
|
6523
7240
|
return baseGetAllKeys_default(object, keysIn_default, getSymbolsIn_default);
|
|
6524
7241
|
}
|
|
6525
7242
|
var getAllKeysIn_default = getAllKeysIn;
|
|
6526
7243
|
|
|
6527
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7244
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_DataView.js
|
|
6528
7245
|
var DataView = getNative_default(root_default, "DataView");
|
|
6529
7246
|
var DataView_default = DataView;
|
|
6530
7247
|
|
|
6531
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7248
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_Promise.js
|
|
6532
7249
|
var Promise2 = getNative_default(root_default, "Promise");
|
|
6533
7250
|
var Promise_default = Promise2;
|
|
6534
7251
|
|
|
6535
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7252
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_Set.js
|
|
6536
7253
|
var Set2 = getNative_default(root_default, "Set");
|
|
6537
7254
|
var Set_default = Set2;
|
|
6538
7255
|
|
|
6539
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7256
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getTag.js
|
|
6540
7257
|
var mapTag2 = "[object Map]";
|
|
6541
7258
|
var objectTag2 = "[object Object]";
|
|
6542
7259
|
var promiseTag = "[object Promise]";
|
|
@@ -6571,7 +7288,7 @@ if (DataView_default && getTag(new DataView_default(new ArrayBuffer(1))) != data
|
|
|
6571
7288
|
}
|
|
6572
7289
|
var getTag_default = getTag;
|
|
6573
7290
|
|
|
6574
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7291
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_initCloneArray.js
|
|
6575
7292
|
var objectProto14 = Object.prototype;
|
|
6576
7293
|
var hasOwnProperty11 = objectProto14.hasOwnProperty;
|
|
6577
7294
|
function initCloneArray(array) {
|
|
@@ -6584,11 +7301,11 @@ function initCloneArray(array) {
|
|
|
6584
7301
|
}
|
|
6585
7302
|
var initCloneArray_default = initCloneArray;
|
|
6586
7303
|
|
|
6587
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7304
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_Uint8Array.js
|
|
6588
7305
|
var Uint8Array = root_default.Uint8Array;
|
|
6589
7306
|
var Uint8Array_default = Uint8Array;
|
|
6590
7307
|
|
|
6591
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7308
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_cloneArrayBuffer.js
|
|
6592
7309
|
function cloneArrayBuffer(arrayBuffer) {
|
|
6593
7310
|
var result = new arrayBuffer.constructor(arrayBuffer.byteLength);
|
|
6594
7311
|
new Uint8Array_default(result).set(new Uint8Array_default(arrayBuffer));
|
|
@@ -6596,14 +7313,14 @@ function cloneArrayBuffer(arrayBuffer) {
|
|
|
6596
7313
|
}
|
|
6597
7314
|
var cloneArrayBuffer_default = cloneArrayBuffer;
|
|
6598
7315
|
|
|
6599
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7316
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_cloneDataView.js
|
|
6600
7317
|
function cloneDataView(dataView, isDeep) {
|
|
6601
7318
|
var buffer = isDeep ? cloneArrayBuffer_default(dataView.buffer) : dataView.buffer;
|
|
6602
7319
|
return new dataView.constructor(buffer, dataView.byteOffset, dataView.byteLength);
|
|
6603
7320
|
}
|
|
6604
7321
|
var cloneDataView_default = cloneDataView;
|
|
6605
7322
|
|
|
6606
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7323
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_cloneRegExp.js
|
|
6607
7324
|
var reFlags = /\w*$/;
|
|
6608
7325
|
function cloneRegExp(regexp) {
|
|
6609
7326
|
var result = new regexp.constructor(regexp.source, reFlags.exec(regexp));
|
|
@@ -6612,7 +7329,7 @@ function cloneRegExp(regexp) {
|
|
|
6612
7329
|
}
|
|
6613
7330
|
var cloneRegExp_default = cloneRegExp;
|
|
6614
7331
|
|
|
6615
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7332
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_cloneSymbol.js
|
|
6616
7333
|
var symbolProto2 = Symbol_default ? Symbol_default.prototype : void 0;
|
|
6617
7334
|
var symbolValueOf = symbolProto2 ? symbolProto2.valueOf : void 0;
|
|
6618
7335
|
function cloneSymbol(symbol) {
|
|
@@ -6620,14 +7337,14 @@ function cloneSymbol(symbol) {
|
|
|
6620
7337
|
}
|
|
6621
7338
|
var cloneSymbol_default = cloneSymbol;
|
|
6622
7339
|
|
|
6623
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7340
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_cloneTypedArray.js
|
|
6624
7341
|
function cloneTypedArray(typedArray, isDeep) {
|
|
6625
7342
|
var buffer = isDeep ? cloneArrayBuffer_default(typedArray.buffer) : typedArray.buffer;
|
|
6626
7343
|
return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length);
|
|
6627
7344
|
}
|
|
6628
7345
|
var cloneTypedArray_default = cloneTypedArray;
|
|
6629
7346
|
|
|
6630
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7347
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_initCloneByTag.js
|
|
6631
7348
|
var boolTag2 = "[object Boolean]";
|
|
6632
7349
|
var dateTag2 = "[object Date]";
|
|
6633
7350
|
var mapTag3 = "[object Map]";
|
|
@@ -6682,37 +7399,37 @@ function initCloneByTag(object, tag, isDeep) {
|
|
|
6682
7399
|
}
|
|
6683
7400
|
var initCloneByTag_default = initCloneByTag;
|
|
6684
7401
|
|
|
6685
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7402
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_initCloneObject.js
|
|
6686
7403
|
function initCloneObject(object) {
|
|
6687
7404
|
return typeof object.constructor == "function" && !isPrototype_default(object) ? baseCreate_default(getPrototype_default(object)) : {};
|
|
6688
7405
|
}
|
|
6689
7406
|
var initCloneObject_default = initCloneObject;
|
|
6690
7407
|
|
|
6691
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7408
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsMap.js
|
|
6692
7409
|
var mapTag4 = "[object Map]";
|
|
6693
7410
|
function baseIsMap(value) {
|
|
6694
7411
|
return isObjectLike_default(value) && getTag_default(value) == mapTag4;
|
|
6695
7412
|
}
|
|
6696
7413
|
var baseIsMap_default = baseIsMap;
|
|
6697
7414
|
|
|
6698
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7415
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isMap.js
|
|
6699
7416
|
var nodeIsMap = nodeUtil_default && nodeUtil_default.isMap;
|
|
6700
7417
|
var isMap = nodeIsMap ? baseUnary_default(nodeIsMap) : baseIsMap_default;
|
|
6701
7418
|
var isMap_default = isMap;
|
|
6702
7419
|
|
|
6703
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7420
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsSet.js
|
|
6704
7421
|
var setTag4 = "[object Set]";
|
|
6705
7422
|
function baseIsSet(value) {
|
|
6706
7423
|
return isObjectLike_default(value) && getTag_default(value) == setTag4;
|
|
6707
7424
|
}
|
|
6708
7425
|
var baseIsSet_default = baseIsSet;
|
|
6709
7426
|
|
|
6710
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7427
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isSet.js
|
|
6711
7428
|
var nodeIsSet = nodeUtil_default && nodeUtil_default.isSet;
|
|
6712
7429
|
var isSet = nodeIsSet ? baseUnary_default(nodeIsSet) : baseIsSet_default;
|
|
6713
7430
|
var isSet_default = isSet;
|
|
6714
7431
|
|
|
6715
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7432
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseClone.js
|
|
6716
7433
|
var CLONE_DEEP_FLAG = 1;
|
|
6717
7434
|
var CLONE_FLAT_FLAG = 2;
|
|
6718
7435
|
var CLONE_SYMBOLS_FLAG = 4;
|
|
@@ -6807,14 +7524,14 @@ function baseClone(value, bitmask, customizer, key, object, stack) {
|
|
|
6807
7524
|
}
|
|
6808
7525
|
var baseClone_default = baseClone;
|
|
6809
7526
|
|
|
6810
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7527
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/clone.js
|
|
6811
7528
|
var CLONE_SYMBOLS_FLAG2 = 4;
|
|
6812
7529
|
function clone(value) {
|
|
6813
7530
|
return baseClone_default(value, CLONE_SYMBOLS_FLAG2);
|
|
6814
7531
|
}
|
|
6815
7532
|
var clone_default = clone;
|
|
6816
7533
|
|
|
6817
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7534
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/compact.js
|
|
6818
7535
|
function compact(array) {
|
|
6819
7536
|
var index = -1, length = array == null ? 0 : array.length, resIndex = 0, result = [];
|
|
6820
7537
|
while (++index < length) {
|
|
@@ -6827,7 +7544,7 @@ function compact(array) {
|
|
|
6827
7544
|
}
|
|
6828
7545
|
var compact_default = compact;
|
|
6829
7546
|
|
|
6830
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7547
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_setCacheAdd.js
|
|
6831
7548
|
var HASH_UNDEFINED3 = "__lodash_hash_undefined__";
|
|
6832
7549
|
function setCacheAdd(value) {
|
|
6833
7550
|
this.__data__.set(value, HASH_UNDEFINED3);
|
|
@@ -6835,13 +7552,13 @@ function setCacheAdd(value) {
|
|
|
6835
7552
|
}
|
|
6836
7553
|
var setCacheAdd_default = setCacheAdd;
|
|
6837
7554
|
|
|
6838
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7555
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_setCacheHas.js
|
|
6839
7556
|
function setCacheHas(value) {
|
|
6840
7557
|
return this.__data__.has(value);
|
|
6841
7558
|
}
|
|
6842
7559
|
var setCacheHas_default = setCacheHas;
|
|
6843
7560
|
|
|
6844
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7561
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_SetCache.js
|
|
6845
7562
|
function SetCache(values2) {
|
|
6846
7563
|
var index = -1, length = values2 == null ? 0 : values2.length;
|
|
6847
7564
|
this.__data__ = new MapCache_default();
|
|
@@ -6853,7 +7570,7 @@ SetCache.prototype.add = SetCache.prototype.push = setCacheAdd_default;
|
|
|
6853
7570
|
SetCache.prototype.has = setCacheHas_default;
|
|
6854
7571
|
var SetCache_default = SetCache;
|
|
6855
7572
|
|
|
6856
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7573
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arraySome.js
|
|
6857
7574
|
function arraySome(array, predicate) {
|
|
6858
7575
|
var index = -1, length = array == null ? 0 : array.length;
|
|
6859
7576
|
while (++index < length) {
|
|
@@ -6865,13 +7582,13 @@ function arraySome(array, predicate) {
|
|
|
6865
7582
|
}
|
|
6866
7583
|
var arraySome_default = arraySome;
|
|
6867
7584
|
|
|
6868
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7585
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_cacheHas.js
|
|
6869
7586
|
function cacheHas(cache, key) {
|
|
6870
7587
|
return cache.has(key);
|
|
6871
7588
|
}
|
|
6872
7589
|
var cacheHas_default = cacheHas;
|
|
6873
7590
|
|
|
6874
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7591
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_equalArrays.js
|
|
6875
7592
|
var COMPARE_PARTIAL_FLAG = 1;
|
|
6876
7593
|
var COMPARE_UNORDERED_FLAG = 2;
|
|
6877
7594
|
function equalArrays(array, other, bitmask, customizer, equalFunc, stack) {
|
|
@@ -6919,7 +7636,7 @@ function equalArrays(array, other, bitmask, customizer, equalFunc, stack) {
|
|
|
6919
7636
|
}
|
|
6920
7637
|
var equalArrays_default = equalArrays;
|
|
6921
7638
|
|
|
6922
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7639
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_mapToArray.js
|
|
6923
7640
|
function mapToArray(map2) {
|
|
6924
7641
|
var index = -1, result = Array(map2.size);
|
|
6925
7642
|
map2.forEach(function(value, key) {
|
|
@@ -6929,7 +7646,7 @@ function mapToArray(map2) {
|
|
|
6929
7646
|
}
|
|
6930
7647
|
var mapToArray_default = mapToArray;
|
|
6931
7648
|
|
|
6932
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7649
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_setToArray.js
|
|
6933
7650
|
function setToArray(set) {
|
|
6934
7651
|
var index = -1, result = Array(set.size);
|
|
6935
7652
|
set.forEach(function(value) {
|
|
@@ -6939,7 +7656,7 @@ function setToArray(set) {
|
|
|
6939
7656
|
}
|
|
6940
7657
|
var setToArray_default = setToArray;
|
|
6941
7658
|
|
|
6942
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7659
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_equalByTag.js
|
|
6943
7660
|
var COMPARE_PARTIAL_FLAG2 = 1;
|
|
6944
7661
|
var COMPARE_UNORDERED_FLAG2 = 2;
|
|
6945
7662
|
var boolTag4 = "[object Boolean]";
|
|
@@ -7003,7 +7720,7 @@ function equalByTag(object, other, tag, bitmask, customizer, equalFunc, stack) {
|
|
|
7003
7720
|
}
|
|
7004
7721
|
var equalByTag_default = equalByTag;
|
|
7005
7722
|
|
|
7006
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7723
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_equalObjects.js
|
|
7007
7724
|
var COMPARE_PARTIAL_FLAG3 = 1;
|
|
7008
7725
|
var objectProto15 = Object.prototype;
|
|
7009
7726
|
var hasOwnProperty12 = objectProto15.hasOwnProperty;
|
|
@@ -7052,7 +7769,7 @@ function equalObjects(object, other, bitmask, customizer, equalFunc, stack) {
|
|
|
7052
7769
|
}
|
|
7053
7770
|
var equalObjects_default = equalObjects;
|
|
7054
7771
|
|
|
7055
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7772
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsEqualDeep.js
|
|
7056
7773
|
var COMPARE_PARTIAL_FLAG4 = 1;
|
|
7057
7774
|
var argsTag4 = "[object Arguments]";
|
|
7058
7775
|
var arrayTag3 = "[object Array]";
|
|
@@ -7091,7 +7808,7 @@ function baseIsEqualDeep(object, other, bitmask, customizer, equalFunc, stack) {
|
|
|
7091
7808
|
}
|
|
7092
7809
|
var baseIsEqualDeep_default = baseIsEqualDeep;
|
|
7093
7810
|
|
|
7094
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7811
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsEqual.js
|
|
7095
7812
|
function baseIsEqual(value, other, bitmask, customizer, stack) {
|
|
7096
7813
|
if (value === other) {
|
|
7097
7814
|
return true;
|
|
@@ -7103,7 +7820,7 @@ function baseIsEqual(value, other, bitmask, customizer, stack) {
|
|
|
7103
7820
|
}
|
|
7104
7821
|
var baseIsEqual_default = baseIsEqual;
|
|
7105
7822
|
|
|
7106
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7823
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsMatch.js
|
|
7107
7824
|
var COMPARE_PARTIAL_FLAG5 = 1;
|
|
7108
7825
|
var COMPARE_UNORDERED_FLAG3 = 2;
|
|
7109
7826
|
function baseIsMatch(object, source, matchData, customizer) {
|
|
@@ -7139,13 +7856,13 @@ function baseIsMatch(object, source, matchData, customizer) {
|
|
|
7139
7856
|
}
|
|
7140
7857
|
var baseIsMatch_default = baseIsMatch;
|
|
7141
7858
|
|
|
7142
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7859
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_isStrictComparable.js
|
|
7143
7860
|
function isStrictComparable(value) {
|
|
7144
7861
|
return value === value && !isObject_default(value);
|
|
7145
7862
|
}
|
|
7146
7863
|
var isStrictComparable_default = isStrictComparable;
|
|
7147
7864
|
|
|
7148
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7865
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_getMatchData.js
|
|
7149
7866
|
function getMatchData(object) {
|
|
7150
7867
|
var result = keys_default(object), length = result.length;
|
|
7151
7868
|
while (length--) {
|
|
@@ -7156,7 +7873,7 @@ function getMatchData(object) {
|
|
|
7156
7873
|
}
|
|
7157
7874
|
var getMatchData_default = getMatchData;
|
|
7158
7875
|
|
|
7159
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7876
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_matchesStrictComparable.js
|
|
7160
7877
|
function matchesStrictComparable(key, srcValue) {
|
|
7161
7878
|
return function(object) {
|
|
7162
7879
|
if (object == null) {
|
|
@@ -7167,7 +7884,7 @@ function matchesStrictComparable(key, srcValue) {
|
|
|
7167
7884
|
}
|
|
7168
7885
|
var matchesStrictComparable_default = matchesStrictComparable;
|
|
7169
7886
|
|
|
7170
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7887
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseMatches.js
|
|
7171
7888
|
function baseMatches(source) {
|
|
7172
7889
|
var matchData = getMatchData_default(source);
|
|
7173
7890
|
if (matchData.length == 1 && matchData[0][2]) {
|
|
@@ -7179,13 +7896,13 @@ function baseMatches(source) {
|
|
|
7179
7896
|
}
|
|
7180
7897
|
var baseMatches_default = baseMatches;
|
|
7181
7898
|
|
|
7182
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7899
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseHasIn.js
|
|
7183
7900
|
function baseHasIn(object, key) {
|
|
7184
7901
|
return object != null && key in Object(object);
|
|
7185
7902
|
}
|
|
7186
7903
|
var baseHasIn_default = baseHasIn;
|
|
7187
7904
|
|
|
7188
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7905
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_hasPath.js
|
|
7189
7906
|
function hasPath(object, path, hasFunc) {
|
|
7190
7907
|
path = castPath_default(path, object);
|
|
7191
7908
|
var index = -1, length = path.length, result = false;
|
|
@@ -7204,13 +7921,13 @@ function hasPath(object, path, hasFunc) {
|
|
|
7204
7921
|
}
|
|
7205
7922
|
var hasPath_default = hasPath;
|
|
7206
7923
|
|
|
7207
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7924
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/hasIn.js
|
|
7208
7925
|
function hasIn(object, path) {
|
|
7209
7926
|
return object != null && hasPath_default(object, path, baseHasIn_default);
|
|
7210
7927
|
}
|
|
7211
7928
|
var hasIn_default = hasIn;
|
|
7212
7929
|
|
|
7213
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7930
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseMatchesProperty.js
|
|
7214
7931
|
var COMPARE_PARTIAL_FLAG6 = 1;
|
|
7215
7932
|
var COMPARE_UNORDERED_FLAG4 = 2;
|
|
7216
7933
|
function baseMatchesProperty(path, srcValue) {
|
|
@@ -7224,7 +7941,7 @@ function baseMatchesProperty(path, srcValue) {
|
|
|
7224
7941
|
}
|
|
7225
7942
|
var baseMatchesProperty_default = baseMatchesProperty;
|
|
7226
7943
|
|
|
7227
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7944
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseProperty.js
|
|
7228
7945
|
function baseProperty(key) {
|
|
7229
7946
|
return function(object) {
|
|
7230
7947
|
return object == null ? void 0 : object[key];
|
|
@@ -7232,7 +7949,7 @@ function baseProperty(key) {
|
|
|
7232
7949
|
}
|
|
7233
7950
|
var baseProperty_default = baseProperty;
|
|
7234
7951
|
|
|
7235
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7952
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_basePropertyDeep.js
|
|
7236
7953
|
function basePropertyDeep(path) {
|
|
7237
7954
|
return function(object) {
|
|
7238
7955
|
return baseGet_default(object, path);
|
|
@@ -7240,13 +7957,13 @@ function basePropertyDeep(path) {
|
|
|
7240
7957
|
}
|
|
7241
7958
|
var basePropertyDeep_default = basePropertyDeep;
|
|
7242
7959
|
|
|
7243
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7960
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/property.js
|
|
7244
7961
|
function property(path) {
|
|
7245
7962
|
return isKey_default(path) ? baseProperty_default(toKey_default(path)) : basePropertyDeep_default(path);
|
|
7246
7963
|
}
|
|
7247
7964
|
var property_default = property;
|
|
7248
7965
|
|
|
7249
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7966
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIteratee.js
|
|
7250
7967
|
function baseIteratee(value) {
|
|
7251
7968
|
if (typeof value == "function") {
|
|
7252
7969
|
return value;
|
|
@@ -7261,7 +7978,7 @@ function baseIteratee(value) {
|
|
|
7261
7978
|
}
|
|
7262
7979
|
var baseIteratee_default = baseIteratee;
|
|
7263
7980
|
|
|
7264
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7981
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayAggregator.js
|
|
7265
7982
|
function arrayAggregator(array, setter, iteratee, accumulator) {
|
|
7266
7983
|
var index = -1, length = array == null ? 0 : array.length;
|
|
7267
7984
|
while (++index < length) {
|
|
@@ -7272,7 +7989,7 @@ function arrayAggregator(array, setter, iteratee, accumulator) {
|
|
|
7272
7989
|
}
|
|
7273
7990
|
var arrayAggregator_default = arrayAggregator;
|
|
7274
7991
|
|
|
7275
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
7992
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_createBaseFor.js
|
|
7276
7993
|
function createBaseFor(fromRight) {
|
|
7277
7994
|
return function(object, iteratee, keysFunc) {
|
|
7278
7995
|
var index = -1, iterable = Object(object), props = keysFunc(object), length = props.length;
|
|
@@ -7287,17 +8004,17 @@ function createBaseFor(fromRight) {
|
|
|
7287
8004
|
}
|
|
7288
8005
|
var createBaseFor_default = createBaseFor;
|
|
7289
8006
|
|
|
7290
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8007
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseFor.js
|
|
7291
8008
|
var baseFor = createBaseFor_default();
|
|
7292
8009
|
var baseFor_default = baseFor;
|
|
7293
8010
|
|
|
7294
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8011
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseForOwn.js
|
|
7295
8012
|
function baseForOwn(object, iteratee) {
|
|
7296
8013
|
return object && baseFor_default(object, iteratee, keys_default);
|
|
7297
8014
|
}
|
|
7298
8015
|
var baseForOwn_default = baseForOwn;
|
|
7299
8016
|
|
|
7300
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8017
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_createBaseEach.js
|
|
7301
8018
|
function createBaseEach(eachFunc, fromRight) {
|
|
7302
8019
|
return function(collection, iteratee) {
|
|
7303
8020
|
if (collection == null) {
|
|
@@ -7317,11 +8034,11 @@ function createBaseEach(eachFunc, fromRight) {
|
|
|
7317
8034
|
}
|
|
7318
8035
|
var createBaseEach_default = createBaseEach;
|
|
7319
8036
|
|
|
7320
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8037
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseEach.js
|
|
7321
8038
|
var baseEach = createBaseEach_default(baseForOwn_default);
|
|
7322
8039
|
var baseEach_default = baseEach;
|
|
7323
8040
|
|
|
7324
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8041
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseAggregator.js
|
|
7325
8042
|
function baseAggregator(collection, setter, iteratee, accumulator) {
|
|
7326
8043
|
baseEach_default(collection, function(value, key, collection2) {
|
|
7327
8044
|
setter(accumulator, value, iteratee(value), collection2);
|
|
@@ -7330,7 +8047,7 @@ function baseAggregator(collection, setter, iteratee, accumulator) {
|
|
|
7330
8047
|
}
|
|
7331
8048
|
var baseAggregator_default = baseAggregator;
|
|
7332
8049
|
|
|
7333
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8050
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_createAggregator.js
|
|
7334
8051
|
function createAggregator(setter, initializer) {
|
|
7335
8052
|
return function(collection, iteratee) {
|
|
7336
8053
|
var func = isArray_default(collection) ? arrayAggregator_default : baseAggregator_default, accumulator = initializer ? initializer() : {};
|
|
@@ -7339,7 +8056,7 @@ function createAggregator(setter, initializer) {
|
|
|
7339
8056
|
}
|
|
7340
8057
|
var createAggregator_default = createAggregator;
|
|
7341
8058
|
|
|
7342
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8059
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/defaults.js
|
|
7343
8060
|
var objectProto17 = Object.prototype;
|
|
7344
8061
|
var hasOwnProperty14 = objectProto17.hasOwnProperty;
|
|
7345
8062
|
var defaults = baseRest_default(function(object, sources) {
|
|
@@ -7367,13 +8084,13 @@ var defaults = baseRest_default(function(object, sources) {
|
|
|
7367
8084
|
});
|
|
7368
8085
|
var defaults_default = defaults;
|
|
7369
8086
|
|
|
7370
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8087
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isArrayLikeObject.js
|
|
7371
8088
|
function isArrayLikeObject(value) {
|
|
7372
8089
|
return isObjectLike_default(value) && isArrayLike_default(value);
|
|
7373
8090
|
}
|
|
7374
8091
|
var isArrayLikeObject_default = isArrayLikeObject;
|
|
7375
8092
|
|
|
7376
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8093
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayIncludesWith.js
|
|
7377
8094
|
function arrayIncludesWith(array, value, comparator) {
|
|
7378
8095
|
var index = -1, length = array == null ? 0 : array.length;
|
|
7379
8096
|
while (++index < length) {
|
|
@@ -7385,7 +8102,7 @@ function arrayIncludesWith(array, value, comparator) {
|
|
|
7385
8102
|
}
|
|
7386
8103
|
var arrayIncludesWith_default = arrayIncludesWith;
|
|
7387
8104
|
|
|
7388
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8105
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseDifference.js
|
|
7389
8106
|
var LARGE_ARRAY_SIZE2 = 200;
|
|
7390
8107
|
function baseDifference(array, values2, iteratee, comparator) {
|
|
7391
8108
|
var index = -1, includes2 = arrayIncludes_default, isCommon = true, length = array.length, result = [], valuesLength = values2.length;
|
|
@@ -7423,20 +8140,20 @@ function baseDifference(array, values2, iteratee, comparator) {
|
|
|
7423
8140
|
}
|
|
7424
8141
|
var baseDifference_default = baseDifference;
|
|
7425
8142
|
|
|
7426
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8143
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/difference.js
|
|
7427
8144
|
var difference = baseRest_default(function(array, values2) {
|
|
7428
8145
|
return isArrayLikeObject_default(array) ? baseDifference_default(array, baseFlatten_default(values2, 1, isArrayLikeObject_default, true)) : [];
|
|
7429
8146
|
});
|
|
7430
8147
|
var difference_default = difference;
|
|
7431
8148
|
|
|
7432
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8149
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/last.js
|
|
7433
8150
|
function last(array) {
|
|
7434
8151
|
var length = array == null ? 0 : array.length;
|
|
7435
8152
|
return length ? array[length - 1] : void 0;
|
|
7436
8153
|
}
|
|
7437
8154
|
var last_default = last;
|
|
7438
8155
|
|
|
7439
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8156
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/drop.js
|
|
7440
8157
|
function drop(array, n, guard) {
|
|
7441
8158
|
var length = array == null ? 0 : array.length;
|
|
7442
8159
|
if (!length) {
|
|
@@ -7447,7 +8164,7 @@ function drop(array, n, guard) {
|
|
|
7447
8164
|
}
|
|
7448
8165
|
var drop_default = drop;
|
|
7449
8166
|
|
|
7450
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8167
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/dropRight.js
|
|
7451
8168
|
function dropRight(array, n, guard) {
|
|
7452
8169
|
var length = array == null ? 0 : array.length;
|
|
7453
8170
|
if (!length) {
|
|
@@ -7459,20 +8176,20 @@ function dropRight(array, n, guard) {
|
|
|
7459
8176
|
}
|
|
7460
8177
|
var dropRight_default = dropRight;
|
|
7461
8178
|
|
|
7462
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8179
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_castFunction.js
|
|
7463
8180
|
function castFunction(value) {
|
|
7464
8181
|
return typeof value == "function" ? value : identity_default;
|
|
7465
8182
|
}
|
|
7466
8183
|
var castFunction_default = castFunction;
|
|
7467
8184
|
|
|
7468
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8185
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/forEach.js
|
|
7469
8186
|
function forEach(collection, iteratee) {
|
|
7470
8187
|
var func = isArray_default(collection) ? arrayEach_default : baseEach_default;
|
|
7471
8188
|
return func(collection, castFunction_default(iteratee));
|
|
7472
8189
|
}
|
|
7473
8190
|
var forEach_default = forEach;
|
|
7474
8191
|
|
|
7475
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8192
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_arrayEvery.js
|
|
7476
8193
|
function arrayEvery(array, predicate) {
|
|
7477
8194
|
var index = -1, length = array == null ? 0 : array.length;
|
|
7478
8195
|
while (++index < length) {
|
|
@@ -7484,7 +8201,7 @@ function arrayEvery(array, predicate) {
|
|
|
7484
8201
|
}
|
|
7485
8202
|
var arrayEvery_default = arrayEvery;
|
|
7486
8203
|
|
|
7487
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8204
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseEvery.js
|
|
7488
8205
|
function baseEvery(collection, predicate) {
|
|
7489
8206
|
var result = true;
|
|
7490
8207
|
baseEach_default(collection, function(value, index, collection2) {
|
|
@@ -7495,7 +8212,7 @@ function baseEvery(collection, predicate) {
|
|
|
7495
8212
|
}
|
|
7496
8213
|
var baseEvery_default = baseEvery;
|
|
7497
8214
|
|
|
7498
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8215
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/every.js
|
|
7499
8216
|
function every(collection, predicate, guard) {
|
|
7500
8217
|
var func = isArray_default(collection) ? arrayEvery_default : baseEvery_default;
|
|
7501
8218
|
if (guard && isIterateeCall_default(collection, predicate, guard)) {
|
|
@@ -7505,7 +8222,7 @@ function every(collection, predicate, guard) {
|
|
|
7505
8222
|
}
|
|
7506
8223
|
var every_default = every;
|
|
7507
8224
|
|
|
7508
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8225
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseFilter.js
|
|
7509
8226
|
function baseFilter(collection, predicate) {
|
|
7510
8227
|
var result = [];
|
|
7511
8228
|
baseEach_default(collection, function(value, index, collection2) {
|
|
@@ -7517,14 +8234,14 @@ function baseFilter(collection, predicate) {
|
|
|
7517
8234
|
}
|
|
7518
8235
|
var baseFilter_default = baseFilter;
|
|
7519
8236
|
|
|
7520
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8237
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/filter.js
|
|
7521
8238
|
function filter(collection, predicate) {
|
|
7522
8239
|
var func = isArray_default(collection) ? arrayFilter_default : baseFilter_default;
|
|
7523
8240
|
return func(collection, baseIteratee_default(predicate, 3));
|
|
7524
8241
|
}
|
|
7525
8242
|
var filter_default = filter;
|
|
7526
8243
|
|
|
7527
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8244
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_createFind.js
|
|
7528
8245
|
function createFind(findIndexFunc) {
|
|
7529
8246
|
return function(collection, predicate, fromIndex) {
|
|
7530
8247
|
var iterable = Object(collection);
|
|
@@ -7541,7 +8258,7 @@ function createFind(findIndexFunc) {
|
|
|
7541
8258
|
}
|
|
7542
8259
|
var createFind_default = createFind;
|
|
7543
8260
|
|
|
7544
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8261
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/findIndex.js
|
|
7545
8262
|
var nativeMax2 = Math.max;
|
|
7546
8263
|
function findIndex(array, predicate, fromIndex) {
|
|
7547
8264
|
var length = array == null ? 0 : array.length;
|
|
@@ -7556,17 +8273,17 @@ function findIndex(array, predicate, fromIndex) {
|
|
|
7556
8273
|
}
|
|
7557
8274
|
var findIndex_default = findIndex;
|
|
7558
8275
|
|
|
7559
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8276
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/find.js
|
|
7560
8277
|
var find = createFind_default(findIndex_default);
|
|
7561
8278
|
var find_default = find;
|
|
7562
8279
|
|
|
7563
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8280
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/head.js
|
|
7564
8281
|
function head(array) {
|
|
7565
8282
|
return array && array.length ? array[0] : void 0;
|
|
7566
8283
|
}
|
|
7567
8284
|
var head_default = head;
|
|
7568
8285
|
|
|
7569
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8286
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseMap.js
|
|
7570
8287
|
function baseMap(collection, iteratee) {
|
|
7571
8288
|
var index = -1, result = isArrayLike_default(collection) ? Array(collection.length) : [];
|
|
7572
8289
|
baseEach_default(collection, function(value, key, collection2) {
|
|
@@ -7576,20 +8293,20 @@ function baseMap(collection, iteratee) {
|
|
|
7576
8293
|
}
|
|
7577
8294
|
var baseMap_default = baseMap;
|
|
7578
8295
|
|
|
7579
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8296
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/map.js
|
|
7580
8297
|
function map(collection, iteratee) {
|
|
7581
8298
|
var func = isArray_default(collection) ? arrayMap_default : baseMap_default;
|
|
7582
8299
|
return func(collection, baseIteratee_default(iteratee, 3));
|
|
7583
8300
|
}
|
|
7584
8301
|
var map_default = map;
|
|
7585
8302
|
|
|
7586
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8303
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/flatMap.js
|
|
7587
8304
|
function flatMap(collection, iteratee) {
|
|
7588
8305
|
return baseFlatten_default(map_default(collection, iteratee), 1);
|
|
7589
8306
|
}
|
|
7590
8307
|
var flatMap_default = flatMap;
|
|
7591
8308
|
|
|
7592
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8309
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/groupBy.js
|
|
7593
8310
|
var objectProto18 = Object.prototype;
|
|
7594
8311
|
var hasOwnProperty15 = objectProto18.hasOwnProperty;
|
|
7595
8312
|
var groupBy = createAggregator_default(function(result, value, key) {
|
|
@@ -7601,7 +8318,7 @@ var groupBy = createAggregator_default(function(result, value, key) {
|
|
|
7601
8318
|
});
|
|
7602
8319
|
var groupBy_default = groupBy;
|
|
7603
8320
|
|
|
7604
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8321
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseHas.js
|
|
7605
8322
|
var objectProto19 = Object.prototype;
|
|
7606
8323
|
var hasOwnProperty16 = objectProto19.hasOwnProperty;
|
|
7607
8324
|
function baseHas(object, key) {
|
|
@@ -7609,20 +8326,20 @@ function baseHas(object, key) {
|
|
|
7609
8326
|
}
|
|
7610
8327
|
var baseHas_default = baseHas;
|
|
7611
8328
|
|
|
7612
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8329
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/has.js
|
|
7613
8330
|
function has(object, path) {
|
|
7614
8331
|
return object != null && hasPath_default(object, path, baseHas_default);
|
|
7615
8332
|
}
|
|
7616
8333
|
var has_default = has;
|
|
7617
8334
|
|
|
7618
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8335
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isString.js
|
|
7619
8336
|
var stringTag5 = "[object String]";
|
|
7620
8337
|
function isString(value) {
|
|
7621
8338
|
return typeof value == "string" || !isArray_default(value) && isObjectLike_default(value) && baseGetTag_default(value) == stringTag5;
|
|
7622
8339
|
}
|
|
7623
8340
|
var isString_default = isString;
|
|
7624
8341
|
|
|
7625
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8342
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseValues.js
|
|
7626
8343
|
function baseValues(object, props) {
|
|
7627
8344
|
return arrayMap_default(props, function(key) {
|
|
7628
8345
|
return object[key];
|
|
@@ -7630,13 +8347,13 @@ function baseValues(object, props) {
|
|
|
7630
8347
|
}
|
|
7631
8348
|
var baseValues_default = baseValues;
|
|
7632
8349
|
|
|
7633
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8350
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/values.js
|
|
7634
8351
|
function values(object) {
|
|
7635
8352
|
return object == null ? [] : baseValues_default(object, keys_default(object));
|
|
7636
8353
|
}
|
|
7637
8354
|
var values_default = values;
|
|
7638
8355
|
|
|
7639
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8356
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/includes.js
|
|
7640
8357
|
var nativeMax3 = Math.max;
|
|
7641
8358
|
function includes(collection, value, fromIndex, guard) {
|
|
7642
8359
|
collection = isArrayLike_default(collection) ? collection : values_default(collection);
|
|
@@ -7649,7 +8366,7 @@ function includes(collection, value, fromIndex, guard) {
|
|
|
7649
8366
|
}
|
|
7650
8367
|
var includes_default = includes;
|
|
7651
8368
|
|
|
7652
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8369
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/indexOf.js
|
|
7653
8370
|
var nativeMax4 = Math.max;
|
|
7654
8371
|
function indexOf(array, value, fromIndex) {
|
|
7655
8372
|
var length = array == null ? 0 : array.length;
|
|
@@ -7664,7 +8381,7 @@ function indexOf(array, value, fromIndex) {
|
|
|
7664
8381
|
}
|
|
7665
8382
|
var indexOf_default = indexOf;
|
|
7666
8383
|
|
|
7667
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8384
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isEmpty.js
|
|
7668
8385
|
var mapTag7 = "[object Map]";
|
|
7669
8386
|
var setTag7 = "[object Set]";
|
|
7670
8387
|
var objectProto20 = Object.prototype;
|
|
@@ -7692,25 +8409,25 @@ function isEmpty(value) {
|
|
|
7692
8409
|
}
|
|
7693
8410
|
var isEmpty_default = isEmpty;
|
|
7694
8411
|
|
|
7695
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8412
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseIsRegExp.js
|
|
7696
8413
|
var regexpTag5 = "[object RegExp]";
|
|
7697
8414
|
function baseIsRegExp(value) {
|
|
7698
8415
|
return isObjectLike_default(value) && baseGetTag_default(value) == regexpTag5;
|
|
7699
8416
|
}
|
|
7700
8417
|
var baseIsRegExp_default = baseIsRegExp;
|
|
7701
8418
|
|
|
7702
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8419
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isRegExp.js
|
|
7703
8420
|
var nodeIsRegExp = nodeUtil_default && nodeUtil_default.isRegExp;
|
|
7704
8421
|
var isRegExp = nodeIsRegExp ? baseUnary_default(nodeIsRegExp) : baseIsRegExp_default;
|
|
7705
8422
|
var isRegExp_default = isRegExp;
|
|
7706
8423
|
|
|
7707
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8424
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/isUndefined.js
|
|
7708
8425
|
function isUndefined(value) {
|
|
7709
8426
|
return value === void 0;
|
|
7710
8427
|
}
|
|
7711
8428
|
var isUndefined_default = isUndefined;
|
|
7712
8429
|
|
|
7713
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8430
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/negate.js
|
|
7714
8431
|
var FUNC_ERROR_TEXT2 = "Expected a function";
|
|
7715
8432
|
function negate(predicate) {
|
|
7716
8433
|
if (typeof predicate != "function") {
|
|
@@ -7733,7 +8450,7 @@ function negate(predicate) {
|
|
|
7733
8450
|
}
|
|
7734
8451
|
var negate_default = negate;
|
|
7735
8452
|
|
|
7736
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8453
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseSet.js
|
|
7737
8454
|
function baseSet(object, path, value, customizer) {
|
|
7738
8455
|
if (!isObject_default(object)) {
|
|
7739
8456
|
return object;
|
|
@@ -7759,7 +8476,7 @@ function baseSet(object, path, value, customizer) {
|
|
|
7759
8476
|
}
|
|
7760
8477
|
var baseSet_default = baseSet;
|
|
7761
8478
|
|
|
7762
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8479
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_basePickBy.js
|
|
7763
8480
|
function basePickBy(object, paths, predicate) {
|
|
7764
8481
|
var index = -1, length = paths.length, result = {};
|
|
7765
8482
|
while (++index < length) {
|
|
@@ -7772,7 +8489,7 @@ function basePickBy(object, paths, predicate) {
|
|
|
7772
8489
|
}
|
|
7773
8490
|
var basePickBy_default = basePickBy;
|
|
7774
8491
|
|
|
7775
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8492
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/pickBy.js
|
|
7776
8493
|
function pickBy(object, predicate) {
|
|
7777
8494
|
if (object == null) {
|
|
7778
8495
|
return {};
|
|
@@ -7787,7 +8504,7 @@ function pickBy(object, predicate) {
|
|
|
7787
8504
|
}
|
|
7788
8505
|
var pickBy_default = pickBy;
|
|
7789
8506
|
|
|
7790
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8507
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseReduce.js
|
|
7791
8508
|
function baseReduce(collection, iteratee, accumulator, initAccum, eachFunc) {
|
|
7792
8509
|
eachFunc(collection, function(value, index, collection2) {
|
|
7793
8510
|
accumulator = initAccum ? (initAccum = false, value) : iteratee(accumulator, value, index, collection2);
|
|
@@ -7796,21 +8513,21 @@ function baseReduce(collection, iteratee, accumulator, initAccum, eachFunc) {
|
|
|
7796
8513
|
}
|
|
7797
8514
|
var baseReduce_default = baseReduce;
|
|
7798
8515
|
|
|
7799
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8516
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/reduce.js
|
|
7800
8517
|
function reduce(collection, iteratee, accumulator) {
|
|
7801
8518
|
var func = isArray_default(collection) ? arrayReduce_default : baseReduce_default, initAccum = arguments.length < 3;
|
|
7802
8519
|
return func(collection, baseIteratee_default(iteratee, 4), accumulator, initAccum, baseEach_default);
|
|
7803
8520
|
}
|
|
7804
8521
|
var reduce_default = reduce;
|
|
7805
8522
|
|
|
7806
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8523
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/reject.js
|
|
7807
8524
|
function reject(collection, predicate) {
|
|
7808
8525
|
var func = isArray_default(collection) ? arrayFilter_default : baseFilter_default;
|
|
7809
8526
|
return func(collection, negate_default(baseIteratee_default(predicate, 3)));
|
|
7810
8527
|
}
|
|
7811
8528
|
var reject_default = reject;
|
|
7812
8529
|
|
|
7813
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8530
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseSome.js
|
|
7814
8531
|
function baseSome(collection, predicate) {
|
|
7815
8532
|
var result;
|
|
7816
8533
|
baseEach_default(collection, function(value, index, collection2) {
|
|
@@ -7821,7 +8538,7 @@ function baseSome(collection, predicate) {
|
|
|
7821
8538
|
}
|
|
7822
8539
|
var baseSome_default = baseSome;
|
|
7823
8540
|
|
|
7824
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8541
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/some.js
|
|
7825
8542
|
function some(collection, predicate, guard) {
|
|
7826
8543
|
var func = isArray_default(collection) ? arraySome_default : baseSome_default;
|
|
7827
8544
|
if (guard && isIterateeCall_default(collection, predicate, guard)) {
|
|
@@ -7831,14 +8548,14 @@ function some(collection, predicate, guard) {
|
|
|
7831
8548
|
}
|
|
7832
8549
|
var some_default = some;
|
|
7833
8550
|
|
|
7834
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8551
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_createSet.js
|
|
7835
8552
|
var INFINITY4 = 1 / 0;
|
|
7836
8553
|
var createSet = !(Set_default && 1 / setToArray_default(new Set_default([, -0]))[1] == INFINITY4) ? noop_default : function(values2) {
|
|
7837
8554
|
return new Set_default(values2);
|
|
7838
8555
|
};
|
|
7839
8556
|
var createSet_default = createSet;
|
|
7840
8557
|
|
|
7841
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8558
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/_baseUniq.js
|
|
7842
8559
|
var LARGE_ARRAY_SIZE3 = 200;
|
|
7843
8560
|
function baseUniq(array, iteratee, comparator) {
|
|
7844
8561
|
var index = -1, includes2 = arrayIncludes_default, length = array.length, isCommon = true, result = [], seen = result;
|
|
@@ -7882,13 +8599,13 @@ function baseUniq(array, iteratee, comparator) {
|
|
|
7882
8599
|
}
|
|
7883
8600
|
var baseUniq_default = baseUniq;
|
|
7884
8601
|
|
|
7885
|
-
// node_modules/.pnpm/lodash-es@4.17.
|
|
8602
|
+
// node_modules/.pnpm/lodash-es@4.17.23/node_modules/lodash-es/uniq.js
|
|
7886
8603
|
function uniq(array) {
|
|
7887
8604
|
return array && array.length ? baseUniq_default(array) : [];
|
|
7888
8605
|
}
|
|
7889
8606
|
var uniq_default = uniq;
|
|
7890
8607
|
|
|
7891
|
-
// node_modules/.pnpm/@chevrotain+utils@11.1.
|
|
8608
|
+
// node_modules/.pnpm/@chevrotain+utils@11.1.1/node_modules/@chevrotain/utils/lib/src/print.js
|
|
7892
8609
|
function PRINT_ERROR(msg) {
|
|
7893
8610
|
if (console && console.error) {
|
|
7894
8611
|
console.error(`Error: ${msg}`);
|
|
@@ -7900,7 +8617,7 @@ function PRINT_WARNING(msg) {
|
|
|
7900
8617
|
}
|
|
7901
8618
|
}
|
|
7902
8619
|
|
|
7903
|
-
// node_modules/.pnpm/@chevrotain+utils@11.1.
|
|
8620
|
+
// node_modules/.pnpm/@chevrotain+utils@11.1.1/node_modules/@chevrotain/utils/lib/src/timer.js
|
|
7904
8621
|
function timer(func) {
|
|
7905
8622
|
const start = (/* @__PURE__ */ new Date()).getTime();
|
|
7906
8623
|
const val = func();
|
|
@@ -7909,7 +8626,7 @@ function timer(func) {
|
|
|
7909
8626
|
return { time: total, value: val };
|
|
7910
8627
|
}
|
|
7911
8628
|
|
|
7912
|
-
// node_modules/.pnpm/@chevrotain+utils@11.1.
|
|
8629
|
+
// node_modules/.pnpm/@chevrotain+utils@11.1.1/node_modules/@chevrotain/utils/lib/src/to-fast-properties.js
|
|
7913
8630
|
function toFastProperties(toBecomeFast) {
|
|
7914
8631
|
function FakeConstructor() {
|
|
7915
8632
|
}
|
|
@@ -7925,7 +8642,7 @@ function toFastProperties(toBecomeFast) {
|
|
|
7925
8642
|
(0, eval)(toBecomeFast);
|
|
7926
8643
|
}
|
|
7927
8644
|
|
|
7928
|
-
// node_modules/.pnpm/@chevrotain+gast@11.1.
|
|
8645
|
+
// node_modules/.pnpm/@chevrotain+gast@11.1.1/node_modules/@chevrotain/gast/lib/src/model.js
|
|
7929
8646
|
function tokenLabel(tokType) {
|
|
7930
8647
|
if (hasTokenLabel(tokType)) {
|
|
7931
8648
|
return tokType.LABEL;
|
|
@@ -8131,7 +8848,7 @@ function serializeProduction(node) {
|
|
|
8131
8848
|
}
|
|
8132
8849
|
}
|
|
8133
8850
|
|
|
8134
|
-
// node_modules/.pnpm/@chevrotain+gast@11.1.
|
|
8851
|
+
// node_modules/.pnpm/@chevrotain+gast@11.1.1/node_modules/@chevrotain/gast/lib/src/visitor.js
|
|
8135
8852
|
var GAstVisitor = class {
|
|
8136
8853
|
visit(node) {
|
|
8137
8854
|
const nodeAny = node;
|
|
@@ -8193,7 +8910,7 @@ var GAstVisitor = class {
|
|
|
8193
8910
|
}
|
|
8194
8911
|
};
|
|
8195
8912
|
|
|
8196
|
-
// node_modules/.pnpm/@chevrotain+gast@11.1.
|
|
8913
|
+
// node_modules/.pnpm/@chevrotain+gast@11.1.1/node_modules/@chevrotain/gast/lib/src/helpers.js
|
|
8197
8914
|
function isSequenceProd(prod) {
|
|
8198
8915
|
return prod instanceof Alternative || prod instanceof Option || prod instanceof Repetition || prod instanceof RepetitionMandatory || prod instanceof RepetitionMandatoryWithSeparator || prod instanceof RepetitionWithSeparator || prod instanceof Terminal || prod instanceof Rule;
|
|
8199
8916
|
}
|
|
@@ -8244,7 +8961,7 @@ function getProductionDslName(prod) {
|
|
|
8244
8961
|
}
|
|
8245
8962
|
}
|
|
8246
8963
|
|
|
8247
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
8964
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/rest.js
|
|
8248
8965
|
var RestWalker = class {
|
|
8249
8966
|
walk(prod, prevRest = []) {
|
|
8250
8967
|
forEach_default(prod.definition, (subProd, index) => {
|
|
@@ -8324,7 +9041,7 @@ function restForRepetitionWithSeparator(repSepProd, currRest, prevRest) {
|
|
|
8324
9041
|
return fullRepSepRest;
|
|
8325
9042
|
}
|
|
8326
9043
|
|
|
8327
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
9044
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/first.js
|
|
8328
9045
|
function first(prod) {
|
|
8329
9046
|
if (prod instanceof NonTerminal) {
|
|
8330
9047
|
return first(prod.referencedRule);
|
|
@@ -8364,10 +9081,10 @@ function firstForTerminal(terminal) {
|
|
|
8364
9081
|
return [terminal.terminalType];
|
|
8365
9082
|
}
|
|
8366
9083
|
|
|
8367
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
9084
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/constants.js
|
|
8368
9085
|
var IN = "_~IN~_";
|
|
8369
9086
|
|
|
8370
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
9087
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/follow.js
|
|
8371
9088
|
var ResyncFollowsWalker = class extends RestWalker {
|
|
8372
9089
|
constructor(topProd) {
|
|
8373
9090
|
super();
|
|
@@ -8400,7 +9117,7 @@ function buildBetweenProdsFollowPrefix(inner, occurenceInParent) {
|
|
|
8400
9117
|
return inner.name + occurenceInParent + IN;
|
|
8401
9118
|
}
|
|
8402
9119
|
|
|
8403
|
-
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.
|
|
9120
|
+
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.1/node_modules/@chevrotain/regexp-to-ast/lib/src/utils.js
|
|
8404
9121
|
function cc(char) {
|
|
8405
9122
|
return char.charCodeAt(0);
|
|
8406
9123
|
}
|
|
@@ -8433,7 +9150,7 @@ function isCharacter(obj) {
|
|
|
8433
9150
|
return obj["type"] === "Character";
|
|
8434
9151
|
}
|
|
8435
9152
|
|
|
8436
|
-
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.
|
|
9153
|
+
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.1/node_modules/@chevrotain/regexp-to-ast/lib/src/character-classes.js
|
|
8437
9154
|
var digitsCharCodes = [];
|
|
8438
9155
|
for (let i = cc("0"); i <= cc("9"); i++) {
|
|
8439
9156
|
digitsCharCodes.push(i);
|
|
@@ -8474,7 +9191,7 @@ var whitespaceCodes = [
|
|
|
8474
9191
|
cc("\uFEFF")
|
|
8475
9192
|
];
|
|
8476
9193
|
|
|
8477
|
-
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.
|
|
9194
|
+
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.1/node_modules/@chevrotain/regexp-to-ast/lib/src/regexp-parser.js
|
|
8478
9195
|
var hexDigitPattern = /[0-9a-fA-F]/;
|
|
8479
9196
|
var decimalPattern = /[0-9]/;
|
|
8480
9197
|
var decimalPatternNoZero = /[1-9]/;
|
|
@@ -9177,7 +9894,7 @@ var RegExpParser = class {
|
|
|
9177
9894
|
}
|
|
9178
9895
|
};
|
|
9179
9896
|
|
|
9180
|
-
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.
|
|
9897
|
+
// node_modules/.pnpm/@chevrotain+regexp-to-ast@11.1.1/node_modules/@chevrotain/regexp-to-ast/lib/src/base-regexp-visitor.js
|
|
9181
9898
|
var BaseRegExpVisitor = class {
|
|
9182
9899
|
visitChildren(node) {
|
|
9183
9900
|
for (const key in node) {
|
|
@@ -9287,7 +10004,7 @@ var BaseRegExpVisitor = class {
|
|
|
9287
10004
|
}
|
|
9288
10005
|
};
|
|
9289
10006
|
|
|
9290
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
10007
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/scan/reg_exp_parser.js
|
|
9291
10008
|
var regExpAstCache = {};
|
|
9292
10009
|
var regExpParser = new RegExpParser();
|
|
9293
10010
|
function getRegExpAst(regExp) {
|
|
@@ -9304,7 +10021,7 @@ function clearRegExpParserCache() {
|
|
|
9304
10021
|
regExpAstCache = {};
|
|
9305
10022
|
}
|
|
9306
10023
|
|
|
9307
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
10024
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/scan/reg_exp.js
|
|
9308
10025
|
var complementErrorMessage = "Complement Sets are not supported for first char optimization";
|
|
9309
10026
|
var failedOptimizationPrefixMsg = 'Unable to use "first char" lexer optimizations:\n';
|
|
9310
10027
|
function getOptimizedStartCodesIndices(regExp, ensureOptimizations = false) {
|
|
@@ -9516,7 +10233,7 @@ function canMatchCharCode(charCodes, pattern) {
|
|
|
9516
10233
|
}
|
|
9517
10234
|
}
|
|
9518
10235
|
|
|
9519
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
10236
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/scan/lexer.js
|
|
9520
10237
|
var PATTERN = "PATTERN";
|
|
9521
10238
|
var DEFAULT_MODE = "defaultMode";
|
|
9522
10239
|
var MODES = "modes";
|
|
@@ -10209,7 +10926,7 @@ function initCharCodeToOptimizedIndexMap() {
|
|
|
10209
10926
|
}
|
|
10210
10927
|
}
|
|
10211
10928
|
|
|
10212
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
10929
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/scan/tokens.js
|
|
10213
10930
|
function tokenStructuredMatcher(tokInstance, tokConstructor) {
|
|
10214
10931
|
const instanceType = tokInstance.tokenTypeIdx;
|
|
10215
10932
|
if (instanceType === tokConstructor.tokenTypeIdx) {
|
|
@@ -10308,7 +11025,7 @@ function isTokenType(tokType) {
|
|
|
10308
11025
|
return has_default(tokType, "tokenTypeIdx");
|
|
10309
11026
|
}
|
|
10310
11027
|
|
|
10311
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
11028
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/scan/lexer_errors_public.js
|
|
10312
11029
|
var defaultLexerErrorProvider = {
|
|
10313
11030
|
buildUnableToPopLexerModeMessage(token) {
|
|
10314
11031
|
return `Unable to pop Lexer Mode after encountering Token ->${token.image}<- The Mode Stack is empty`;
|
|
@@ -10318,7 +11035,7 @@ var defaultLexerErrorProvider = {
|
|
|
10318
11035
|
}
|
|
10319
11036
|
};
|
|
10320
11037
|
|
|
10321
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
11038
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/scan/lexer_public.js
|
|
10322
11039
|
var LexerDefinitionErrorType;
|
|
10323
11040
|
(function(LexerDefinitionErrorType2) {
|
|
10324
11041
|
LexerDefinitionErrorType2[LexerDefinitionErrorType2["MISSING_PATTERN"] = 0] = "MISSING_PATTERN";
|
|
@@ -10860,7 +11577,7 @@ var Lexer = class {
|
|
|
10860
11577
|
Lexer.SKIPPED = "This marks a skipped Token pattern, this means each token identified by it will be consumed and then thrown into oblivion, this can be used to for example to completely ignore whitespace.";
|
|
10861
11578
|
Lexer.NA = /NOT_APPLICABLE/;
|
|
10862
11579
|
|
|
10863
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
11580
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/scan/tokens_public.js
|
|
10864
11581
|
function tokenLabel2(tokType) {
|
|
10865
11582
|
if (hasTokenLabel2(tokType)) {
|
|
10866
11583
|
return tokType.LABEL;
|
|
@@ -10939,7 +11656,7 @@ function tokenMatcher(token, tokType) {
|
|
|
10939
11656
|
return tokenStructuredMatcher(token, tokType);
|
|
10940
11657
|
}
|
|
10941
11658
|
|
|
10942
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
11659
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/errors_public.js
|
|
10943
11660
|
var defaultParserErrorProvider = {
|
|
10944
11661
|
buildMismatchTokenMessage({ expected, actual, previous, ruleName }) {
|
|
10945
11662
|
const hasLabel = hasTokenLabel2(expected);
|
|
@@ -11093,7 +11810,7 @@ see: https://en.wikipedia.org/wiki/LL_parser#Left_factoring.`;
|
|
|
11093
11810
|
}
|
|
11094
11811
|
};
|
|
11095
11812
|
|
|
11096
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
11813
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/resolver.js
|
|
11097
11814
|
function resolveGrammar(topLevels, errMsgProvider) {
|
|
11098
11815
|
const refResolver = new GastRefResolverVisitor(topLevels, errMsgProvider);
|
|
11099
11816
|
refResolver.resolveRefs();
|
|
@@ -11128,7 +11845,7 @@ var GastRefResolverVisitor = class extends GAstVisitor {
|
|
|
11128
11845
|
}
|
|
11129
11846
|
};
|
|
11130
11847
|
|
|
11131
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
11848
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/interpreter.js
|
|
11132
11849
|
var AbstractNextPossibleTokensWalker = class extends RestWalker {
|
|
11133
11850
|
constructor(topProd, path) {
|
|
11134
11851
|
super();
|
|
@@ -11539,7 +12256,7 @@ function expandTopLevelRule(topRule, currIdx, currRuleStack, currOccurrenceStack
|
|
|
11539
12256
|
};
|
|
11540
12257
|
}
|
|
11541
12258
|
|
|
11542
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
12259
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/lookahead.js
|
|
11543
12260
|
var PROD_TYPE;
|
|
11544
12261
|
(function(PROD_TYPE2) {
|
|
11545
12262
|
PROD_TYPE2[PROD_TYPE2["OPTION"] = 0] = "OPTION";
|
|
@@ -11898,7 +12615,7 @@ function areTokenCategoriesNotUsed(lookAheadPaths) {
|
|
|
11898
12615
|
return every_default(lookAheadPaths, (singleAltPaths) => every_default(singleAltPaths, (singlePath) => every_default(singlePath, (token) => isEmpty_default(token.categoryMatches))));
|
|
11899
12616
|
}
|
|
11900
12617
|
|
|
11901
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
12618
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/checks.js
|
|
11902
12619
|
function validateLookahead(options) {
|
|
11903
12620
|
const lookaheadValidationErrorMessages = options.lookaheadStrategy.validate({
|
|
11904
12621
|
rules: options.rules,
|
|
@@ -12292,7 +13009,7 @@ function checkTerminalAndNoneTerminalsNameSpace(topLevels, tokenTypes, errMsgPro
|
|
|
12292
13009
|
return errors;
|
|
12293
13010
|
}
|
|
12294
13011
|
|
|
12295
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13012
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/gast/gast_resolver_public.js
|
|
12296
13013
|
function resolveGrammar2(options) {
|
|
12297
13014
|
const actualOptions = defaults_default(options, {
|
|
12298
13015
|
errMsgProvider: defaultGrammarResolverErrorProvider
|
|
@@ -12310,7 +13027,7 @@ function validateGrammar2(options) {
|
|
|
12310
13027
|
return validateGrammar(options.rules, options.tokenTypes, options.errMsgProvider, options.grammarName);
|
|
12311
13028
|
}
|
|
12312
13029
|
|
|
12313
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13030
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/exceptions_public.js
|
|
12314
13031
|
var MISMATCHED_TOKEN_EXCEPTION = "MismatchedTokenException";
|
|
12315
13032
|
var NO_VIABLE_ALT_EXCEPTION = "NoViableAltException";
|
|
12316
13033
|
var EARLY_EXIT_EXCEPTION = "EarlyExitException";
|
|
@@ -12364,7 +13081,7 @@ var EarlyExitException = class extends RecognitionException {
|
|
|
12364
13081
|
}
|
|
12365
13082
|
};
|
|
12366
13083
|
|
|
12367
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13084
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/recoverable.js
|
|
12368
13085
|
var EOF_FOLLOW_KEY = {};
|
|
12369
13086
|
var IN_RULE_RECOVERY_EXCEPTION = "InRuleRecoveryException";
|
|
12370
13087
|
var InRuleRecoveryException = class extends Error {
|
|
@@ -12605,7 +13322,7 @@ function attemptInRepetitionRecovery(prodFunc, args, lookaheadFunc, dslMethodIdx
|
|
|
12605
13322
|
}
|
|
12606
13323
|
}
|
|
12607
13324
|
|
|
12608
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13325
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/keys.js
|
|
12609
13326
|
var BITS_FOR_METHOD_TYPE = 4;
|
|
12610
13327
|
var BITS_FOR_OCCURRENCE_IDX = 8;
|
|
12611
13328
|
var BITS_FOR_ALT_IDX = 8;
|
|
@@ -12620,7 +13337,7 @@ function getKeyForAutomaticLookahead(ruleIdx, dslMethodIdx, occurrence) {
|
|
|
12620
13337
|
}
|
|
12621
13338
|
var BITS_START_FOR_ALT_IDX = 32 - BITS_FOR_ALT_IDX;
|
|
12622
13339
|
|
|
12623
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13340
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/grammar/llk_lookahead.js
|
|
12624
13341
|
var LLkLookaheadStrategy = class {
|
|
12625
13342
|
constructor(options) {
|
|
12626
13343
|
var _a;
|
|
@@ -12662,7 +13379,7 @@ var LLkLookaheadStrategy = class {
|
|
|
12662
13379
|
}
|
|
12663
13380
|
};
|
|
12664
13381
|
|
|
12665
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13382
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/looksahead.js
|
|
12666
13383
|
var LooksAhead = class {
|
|
12667
13384
|
initLooksAhead(config) {
|
|
12668
13385
|
this.dynamicTokensEnabled = has_default(config, "dynamicTokensEnabled") ? config.dynamicTokensEnabled : DEFAULT_PARSER_CONFIG.dynamicTokensEnabled;
|
|
@@ -12782,7 +13499,7 @@ function collectMethods(rule) {
|
|
|
12782
13499
|
return dslMethods;
|
|
12783
13500
|
}
|
|
12784
13501
|
|
|
12785
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13502
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/cst/cst.js
|
|
12786
13503
|
function setNodeLocationOnlyOffset(currNodeLocation, newLocationInfo) {
|
|
12787
13504
|
if (isNaN(currNodeLocation.startOffset) === true) {
|
|
12788
13505
|
currNodeLocation.startOffset = newLocationInfo.startOffset;
|
|
@@ -12820,7 +13537,7 @@ function addNoneTerminalToCst(node, ruleName, ruleResult) {
|
|
|
12820
13537
|
}
|
|
12821
13538
|
}
|
|
12822
13539
|
|
|
12823
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13540
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/lang/lang_extensions.js
|
|
12824
13541
|
var NAME = "name";
|
|
12825
13542
|
function defineNameProp(obj, nameValue) {
|
|
12826
13543
|
Object.defineProperty(obj, NAME, {
|
|
@@ -12831,7 +13548,7 @@ function defineNameProp(obj, nameValue) {
|
|
|
12831
13548
|
});
|
|
12832
13549
|
}
|
|
12833
13550
|
|
|
12834
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13551
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/cst/cst_visitor.js
|
|
12835
13552
|
function defaultVisit(ctx, param) {
|
|
12836
13553
|
const childrenNames = keys_default(ctx);
|
|
12837
13554
|
const childrenNamesLength = childrenNames.length;
|
|
@@ -12910,7 +13627,7 @@ function validateMissingCstMethods(visitorInstance, ruleNames) {
|
|
|
12910
13627
|
return compact_default(errors);
|
|
12911
13628
|
}
|
|
12912
13629
|
|
|
12913
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13630
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/tree_builder.js
|
|
12914
13631
|
var TreeBuilder = class {
|
|
12915
13632
|
initTreeBuilder(config) {
|
|
12916
13633
|
this.CST_STACK = [];
|
|
@@ -13072,7 +13789,7 @@ var TreeBuilder = class {
|
|
|
13072
13789
|
}
|
|
13073
13790
|
};
|
|
13074
13791
|
|
|
13075
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13792
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/lexer_adapter.js
|
|
13076
13793
|
var LexerAdapter = class {
|
|
13077
13794
|
initLexerAdapter() {
|
|
13078
13795
|
this.tokVector = [];
|
|
@@ -13129,7 +13846,7 @@ var LexerAdapter = class {
|
|
|
13129
13846
|
}
|
|
13130
13847
|
};
|
|
13131
13848
|
|
|
13132
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
13849
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/recognizer_api.js
|
|
13133
13850
|
var RecognizerApi = class {
|
|
13134
13851
|
ACTION(impl) {
|
|
13135
13852
|
return impl.call(this);
|
|
@@ -13445,7 +14162,7 @@ var RecognizerApi = class {
|
|
|
13445
14162
|
}
|
|
13446
14163
|
};
|
|
13447
14164
|
|
|
13448
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
14165
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/recognizer_engine.js
|
|
13449
14166
|
var RecognizerEngine = class {
|
|
13450
14167
|
initRecognizerEngine(tokenVocabulary, config) {
|
|
13451
14168
|
this.className = this.constructor.name;
|
|
@@ -13869,7 +14586,7 @@ Make sure that all grammar rule definitions are done before 'performSelfAnalysis
|
|
|
13869
14586
|
}
|
|
13870
14587
|
};
|
|
13871
14588
|
|
|
13872
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
14589
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/error_handler.js
|
|
13873
14590
|
var ErrorHandler = class {
|
|
13874
14591
|
initErrorHandler(config) {
|
|
13875
14592
|
this._errors = [];
|
|
@@ -13933,7 +14650,7 @@ var ErrorHandler = class {
|
|
|
13933
14650
|
}
|
|
13934
14651
|
};
|
|
13935
14652
|
|
|
13936
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
14653
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/context_assist.js
|
|
13937
14654
|
var ContentAssist = class {
|
|
13938
14655
|
initContentAssist() {
|
|
13939
14656
|
}
|
|
@@ -13955,7 +14672,7 @@ var ContentAssist = class {
|
|
|
13955
14672
|
}
|
|
13956
14673
|
};
|
|
13957
14674
|
|
|
13958
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
14675
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/gast_recorder.js
|
|
13959
14676
|
var RECORDING_NULL_OBJECT = {
|
|
13960
14677
|
description: "This Object indicates the Parser is during Recording Phase"
|
|
13961
14678
|
};
|
|
@@ -14217,7 +14934,7 @@ function assertMethodIdxIsValid(idx) {
|
|
|
14217
14934
|
}
|
|
14218
14935
|
}
|
|
14219
14936
|
|
|
14220
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
14937
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/traits/perf_tracer.js
|
|
14221
14938
|
var PerformanceTracer = class {
|
|
14222
14939
|
initPerformanceTracer(config) {
|
|
14223
14940
|
if (has_default(config, "traceInitPerf")) {
|
|
@@ -14251,7 +14968,7 @@ var PerformanceTracer = class {
|
|
|
14251
14968
|
}
|
|
14252
14969
|
};
|
|
14253
14970
|
|
|
14254
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
14971
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/utils/apply_mixins.js
|
|
14255
14972
|
function applyMixins(derivedCtor, baseCtors) {
|
|
14256
14973
|
baseCtors.forEach((baseCtor) => {
|
|
14257
14974
|
const baseProto = baseCtor.prototype;
|
|
@@ -14269,7 +14986,7 @@ function applyMixins(derivedCtor, baseCtors) {
|
|
|
14269
14986
|
});
|
|
14270
14987
|
}
|
|
14271
14988
|
|
|
14272
|
-
// node_modules/.pnpm/chevrotain@11.1.
|
|
14989
|
+
// node_modules/.pnpm/chevrotain@11.1.1/node_modules/chevrotain/lib/src/parse/parser/parser.js
|
|
14273
14990
|
var END_OF_FILE = createTokenInstance(EOF, "", NaN, NaN, NaN, NaN, NaN, NaN);
|
|
14274
14991
|
Object.freeze(END_OF_FILE);
|
|
14275
14992
|
var DEFAULT_PARSER_CONFIG = Object.freeze({
|
|
@@ -15317,7 +16034,7 @@ function parse(source, options = {}) {
|
|
|
15317
16034
|
|
|
15318
16035
|
// packages/resolver/src/loader.ts
|
|
15319
16036
|
import { readFile as readFile4 } from "fs/promises";
|
|
15320
|
-
import { resolve as resolve2, dirname as
|
|
16037
|
+
import { resolve as resolve2, dirname as dirname4, isAbsolute } from "path";
|
|
15321
16038
|
var FileLoader = class {
|
|
15322
16039
|
registryPath;
|
|
15323
16040
|
localPath;
|
|
@@ -15378,7 +16095,7 @@ var FileLoader = class {
|
|
|
15378
16095
|
*/
|
|
15379
16096
|
resolveRef(ref, fromFile) {
|
|
15380
16097
|
if (ref.isRelative) {
|
|
15381
|
-
const dir =
|
|
16098
|
+
const dir = dirname4(fromFile);
|
|
15382
16099
|
const rawPath = ref.raw.endsWith(".prs") ? ref.raw : `${ref.raw}.prs`;
|
|
15383
16100
|
return resolve2(dir, rawPath);
|
|
15384
16101
|
}
|
|
@@ -16040,7 +16757,7 @@ function uniqueConcat3(parent, child) {
|
|
|
16040
16757
|
|
|
16041
16758
|
// packages/resolver/src/skills.ts
|
|
16042
16759
|
import { readFile as readFile5, access } from "fs/promises";
|
|
16043
|
-
import { resolve as resolve3, dirname as
|
|
16760
|
+
import { resolve as resolve3, dirname as dirname5 } from "path";
|
|
16044
16761
|
function parseSkillMd(content) {
|
|
16045
16762
|
const lines = content.split("\n");
|
|
16046
16763
|
let inFrontmatter = false;
|
|
@@ -16095,7 +16812,7 @@ async function resolveNativeSkills(ast, registryPath, sourceFile) {
|
|
|
16095
16812
|
const skillsContent = skillsBlock.content;
|
|
16096
16813
|
const updatedProperties = { ...skillsContent.properties };
|
|
16097
16814
|
let hasUpdates = false;
|
|
16098
|
-
const sourceDir =
|
|
16815
|
+
const sourceDir = dirname5(sourceFile);
|
|
16099
16816
|
const isSkillsDir = sourceDir.includes("@skills");
|
|
16100
16817
|
for (const [skillName, skillValue] of Object.entries(skillsContent.properties)) {
|
|
16101
16818
|
if (typeof skillValue !== "object" || skillValue === null || Array.isArray(skillValue)) {
|
|
@@ -16323,7 +17040,7 @@ var Resolver = class {
|
|
|
16323
17040
|
|
|
16324
17041
|
// packages/resolver/src/registry.ts
|
|
16325
17042
|
import { existsSync as existsSync4, promises as fs } from "fs";
|
|
16326
|
-
import { join as
|
|
17043
|
+
import { join as join4 } from "path";
|
|
16327
17044
|
var FileSystemRegistry = class {
|
|
16328
17045
|
rootPath;
|
|
16329
17046
|
constructor(options) {
|
|
@@ -16333,7 +17050,7 @@ var FileSystemRegistry = class {
|
|
|
16333
17050
|
* Resolve a path relative to the registry root.
|
|
16334
17051
|
*/
|
|
16335
17052
|
resolvePath(path) {
|
|
16336
|
-
return
|
|
17053
|
+
return join4(this.rootPath, path);
|
|
16337
17054
|
}
|
|
16338
17055
|
async fetch(path) {
|
|
16339
17056
|
const fullPath = this.resolvePath(path);
|
|
@@ -16548,12 +17265,12 @@ function createHttpRegistry(options) {
|
|
|
16548
17265
|
|
|
16549
17266
|
// packages/resolver/src/git-registry.ts
|
|
16550
17267
|
import { existsSync as existsSync6, promises as fs3 } from "fs";
|
|
16551
|
-
import { join as
|
|
17268
|
+
import { join as join6 } from "path";
|
|
16552
17269
|
import { simpleGit } from "simple-git";
|
|
16553
17270
|
|
|
16554
17271
|
// packages/resolver/src/git-cache-manager.ts
|
|
16555
17272
|
import { existsSync as existsSync5, promises as fs2 } from "fs";
|
|
16556
|
-
import { join as
|
|
17273
|
+
import { join as join5 } from "path";
|
|
16557
17274
|
import { homedir } from "os";
|
|
16558
17275
|
|
|
16559
17276
|
// packages/resolver/src/git-url-utils.ts
|
|
@@ -16661,7 +17378,7 @@ function parseVersionedPath(path) {
|
|
|
16661
17378
|
}
|
|
16662
17379
|
|
|
16663
17380
|
// packages/resolver/src/git-cache-manager.ts
|
|
16664
|
-
var DEFAULT_CACHE_DIR =
|
|
17381
|
+
var DEFAULT_CACHE_DIR = join5(homedir(), ".promptscript", ".cache", "git");
|
|
16665
17382
|
var DEFAULT_TTL = 36e5;
|
|
16666
17383
|
var METADATA_FILE = ".prs-cache-meta.json";
|
|
16667
17384
|
var GitCacheManager = class {
|
|
@@ -16680,7 +17397,7 @@ var GitCacheManager = class {
|
|
|
16680
17397
|
*/
|
|
16681
17398
|
getCachePath(url, ref) {
|
|
16682
17399
|
const cacheKey = getCacheKey(url, ref);
|
|
16683
|
-
return
|
|
17400
|
+
return join5(this.cacheDir, cacheKey);
|
|
16684
17401
|
}
|
|
16685
17402
|
/**
|
|
16686
17403
|
* Check if a cache entry exists and is not stale.
|
|
@@ -16786,7 +17503,7 @@ var GitCacheManager = class {
|
|
|
16786
17503
|
if (!dir.isDirectory()) {
|
|
16787
17504
|
continue;
|
|
16788
17505
|
}
|
|
16789
|
-
const cachePath =
|
|
17506
|
+
const cachePath = join5(this.cacheDir, dir.name);
|
|
16790
17507
|
const metadata = await this.readMetadata(cachePath);
|
|
16791
17508
|
if (metadata) {
|
|
16792
17509
|
const isStale = Date.now() - metadata.lastUpdated > this.ttl;
|
|
@@ -16834,7 +17551,7 @@ var GitCacheManager = class {
|
|
|
16834
17551
|
let size = 0;
|
|
16835
17552
|
const entries = await fs2.readdir(dirPath, { withFileTypes: true });
|
|
16836
17553
|
for (const entry of entries) {
|
|
16837
|
-
const fullPath =
|
|
17554
|
+
const fullPath = join5(dirPath, entry.name);
|
|
16838
17555
|
if (entry.isDirectory()) {
|
|
16839
17556
|
size += await this.calculateDirSize(fullPath);
|
|
16840
17557
|
} else {
|
|
@@ -16848,7 +17565,7 @@ var GitCacheManager = class {
|
|
|
16848
17565
|
* Read metadata from a cache directory.
|
|
16849
17566
|
*/
|
|
16850
17567
|
async readMetadata(cachePath) {
|
|
16851
|
-
const metadataPath =
|
|
17568
|
+
const metadataPath = join5(cachePath, METADATA_FILE);
|
|
16852
17569
|
if (!existsSync5(metadataPath)) {
|
|
16853
17570
|
return null;
|
|
16854
17571
|
}
|
|
@@ -16863,7 +17580,7 @@ var GitCacheManager = class {
|
|
|
16863
17580
|
* Write metadata to a cache directory.
|
|
16864
17581
|
*/
|
|
16865
17582
|
async writeMetadata(cachePath, metadata) {
|
|
16866
|
-
const metadataPath =
|
|
17583
|
+
const metadataPath = join5(cachePath, METADATA_FILE);
|
|
16867
17584
|
await fs2.writeFile(metadataPath, JSON.stringify(metadata, null, 2), "utf-8");
|
|
16868
17585
|
}
|
|
16869
17586
|
};
|
|
@@ -17154,9 +17871,9 @@ var GitRegistry = class {
|
|
|
17154
17871
|
cleanPath += ".prs";
|
|
17155
17872
|
}
|
|
17156
17873
|
if (this.subPath) {
|
|
17157
|
-
return
|
|
17874
|
+
return join6(repoPath, this.subPath, cleanPath);
|
|
17158
17875
|
}
|
|
17159
|
-
return
|
|
17876
|
+
return join6(repoPath, cleanPath);
|
|
17160
17877
|
}
|
|
17161
17878
|
/**
|
|
17162
17879
|
* Resolve a directory path within the repository.
|
|
@@ -17166,9 +17883,9 @@ var GitRegistry = class {
|
|
|
17166
17883
|
*/
|
|
17167
17884
|
resolveDirectoryPath(repoPath, relativePath) {
|
|
17168
17885
|
if (this.subPath) {
|
|
17169
|
-
return
|
|
17886
|
+
return join6(repoPath, this.subPath, relativePath);
|
|
17170
17887
|
}
|
|
17171
|
-
return
|
|
17888
|
+
return join6(repoPath, relativePath);
|
|
17172
17889
|
}
|
|
17173
17890
|
/**
|
|
17174
17891
|
* Check if an error is an authentication error.
|
|
@@ -17886,8 +18603,8 @@ var Compiler = class _Compiler {
|
|
|
17886
18603
|
*/
|
|
17887
18604
|
async watch(entryPath, options = {}) {
|
|
17888
18605
|
const { default: chokidar2 } = await import("chokidar");
|
|
17889
|
-
const { dirname:
|
|
17890
|
-
const baseDir =
|
|
18606
|
+
const { dirname: dirname10, resolve: resolve9 } = await import("path");
|
|
18607
|
+
const baseDir = dirname10(resolve9(entryPath));
|
|
17891
18608
|
const includePatterns = options.include ?? ["**/*.prs"];
|
|
17892
18609
|
const excludePatterns = options.exclude ?? ["**/node_modules/**"];
|
|
17893
18610
|
const debounceMs = options.debounce ?? 300;
|
|
@@ -18107,6 +18824,69 @@ function createPager(enabled = true) {
|
|
|
18107
18824
|
return new Pager(enabled);
|
|
18108
18825
|
}
|
|
18109
18826
|
|
|
18827
|
+
// packages/cli/src/utils/registry-resolver.ts
|
|
18828
|
+
import { join as join7 } from "path";
|
|
18829
|
+
async function resolveRegistryPath(config) {
|
|
18830
|
+
if (config.registry?.git) {
|
|
18831
|
+
const gitConfig = config.registry.git;
|
|
18832
|
+
const ref = gitConfig.ref ?? "main";
|
|
18833
|
+
const cacheManager = new GitCacheManager({
|
|
18834
|
+
ttl: config.registry.cache?.ttl
|
|
18835
|
+
});
|
|
18836
|
+
const normalizedUrl = normalizeGitUrl(gitConfig.url);
|
|
18837
|
+
const cachePath = cacheManager.getCachePath(normalizedUrl, ref);
|
|
18838
|
+
const isValid = await cacheManager.isValid(normalizedUrl, ref);
|
|
18839
|
+
if (isValid) {
|
|
18840
|
+
const subPath2 = gitConfig.path ?? "";
|
|
18841
|
+
return {
|
|
18842
|
+
path: subPath2 ? join7(cachePath, subPath2) : cachePath,
|
|
18843
|
+
isRemote: true,
|
|
18844
|
+
source: "git"
|
|
18845
|
+
};
|
|
18846
|
+
}
|
|
18847
|
+
const registry = createGitRegistry({
|
|
18848
|
+
url: gitConfig.url,
|
|
18849
|
+
ref,
|
|
18850
|
+
path: gitConfig.path,
|
|
18851
|
+
auth: gitConfig.auth,
|
|
18852
|
+
cache: {
|
|
18853
|
+
enabled: config.registry.cache?.enabled ?? true,
|
|
18854
|
+
ttl: config.registry.cache?.ttl
|
|
18855
|
+
}
|
|
18856
|
+
});
|
|
18857
|
+
try {
|
|
18858
|
+
await registry.fetch("registry-manifest.yaml");
|
|
18859
|
+
} catch (error) {
|
|
18860
|
+
const message = error instanceof Error ? error.message : String(error);
|
|
18861
|
+
if (!message.includes("not found") && !message.includes("FileNotFoundError")) {
|
|
18862
|
+
throw new Error(
|
|
18863
|
+
`Failed to clone registry from ${gitConfig.url}: ${message}. Please check your network connection and registry configuration.`
|
|
18864
|
+
);
|
|
18865
|
+
}
|
|
18866
|
+
}
|
|
18867
|
+
const subPath = gitConfig.path ?? "";
|
|
18868
|
+
return {
|
|
18869
|
+
path: subPath ? join7(cachePath, subPath) : cachePath,
|
|
18870
|
+
isRemote: true,
|
|
18871
|
+
source: "git"
|
|
18872
|
+
};
|
|
18873
|
+
}
|
|
18874
|
+
if (config.registry?.url) {
|
|
18875
|
+
const localPath = config.registry?.path ?? "./registry";
|
|
18876
|
+
return {
|
|
18877
|
+
path: localPath,
|
|
18878
|
+
isRemote: true,
|
|
18879
|
+
source: "http"
|
|
18880
|
+
};
|
|
18881
|
+
}
|
|
18882
|
+
const registryPath = config.registry?.path ?? "./registry";
|
|
18883
|
+
return {
|
|
18884
|
+
path: registryPath,
|
|
18885
|
+
isRemote: false,
|
|
18886
|
+
source: "local"
|
|
18887
|
+
};
|
|
18888
|
+
}
|
|
18889
|
+
|
|
18110
18890
|
// packages/cli/src/commands/compile.ts
|
|
18111
18891
|
var PROMPTSCRIPT_MARKERS = [
|
|
18112
18892
|
"<!-- PromptScript",
|
|
@@ -18207,7 +18987,7 @@ async function writeOutputs(outputs, options, _config, services) {
|
|
|
18207
18987
|
continue;
|
|
18208
18988
|
}
|
|
18209
18989
|
if (!fileExists2) {
|
|
18210
|
-
await mkdir2(
|
|
18990
|
+
await mkdir2(dirname6(outputPath), { recursive: true });
|
|
18211
18991
|
await writeFile2(outputPath, output.content, "utf-8");
|
|
18212
18992
|
ConsoleOutput.success(outputPath);
|
|
18213
18993
|
result.written.push(outputPath);
|
|
@@ -18223,14 +19003,14 @@ async function writeOutputs(outputs, options, _config, services) {
|
|
|
18223
19003
|
result.unchanged.push(outputPath);
|
|
18224
19004
|
continue;
|
|
18225
19005
|
}
|
|
18226
|
-
await mkdir2(
|
|
19006
|
+
await mkdir2(dirname6(outputPath), { recursive: true });
|
|
18227
19007
|
await writeFile2(outputPath, output.content, "utf-8");
|
|
18228
19008
|
ConsoleOutput.success(outputPath);
|
|
18229
19009
|
result.written.push(outputPath);
|
|
18230
19010
|
continue;
|
|
18231
19011
|
}
|
|
18232
19012
|
if (options.force || overwriteAll) {
|
|
18233
|
-
await mkdir2(
|
|
19013
|
+
await mkdir2(dirname6(outputPath), { recursive: true });
|
|
18234
19014
|
await writeFile2(outputPath, output.content, "utf-8");
|
|
18235
19015
|
ConsoleOutput.success(outputPath);
|
|
18236
19016
|
result.written.push(outputPath);
|
|
@@ -18243,7 +19023,7 @@ async function writeOutputs(outputs, options, _config, services) {
|
|
|
18243
19023
|
const response = await promptForOverwrite(outputPath, services);
|
|
18244
19024
|
switch (response) {
|
|
18245
19025
|
case "yes":
|
|
18246
|
-
await mkdir2(
|
|
19026
|
+
await mkdir2(dirname6(outputPath), { recursive: true });
|
|
18247
19027
|
await writeFile2(outputPath, output.content, "utf-8");
|
|
18248
19028
|
ConsoleOutput.success(outputPath);
|
|
18249
19029
|
result.written.push(outputPath);
|
|
@@ -18254,7 +19034,7 @@ async function writeOutputs(outputs, options, _config, services) {
|
|
|
18254
19034
|
break;
|
|
18255
19035
|
case "all":
|
|
18256
19036
|
overwriteAll = true;
|
|
18257
|
-
await mkdir2(
|
|
19037
|
+
await mkdir2(dirname6(outputPath), { recursive: true });
|
|
18258
19038
|
await writeFile2(outputPath, output.content, "utf-8");
|
|
18259
19039
|
ConsoleOutput.success(outputPath);
|
|
18260
19040
|
result.written.push(outputPath);
|
|
@@ -18293,10 +19073,20 @@ async function compileCommand(options, services = createDefaultServices()) {
|
|
|
18293
19073
|
try {
|
|
18294
19074
|
logger.verbose("Loading configuration...");
|
|
18295
19075
|
const config = await loadConfig(options.config);
|
|
18296
|
-
spinner.text = "Compiling...";
|
|
18297
19076
|
const selectedTarget = options.target ?? options.format;
|
|
18298
19077
|
const targets = selectedTarget ? [{ name: selectedTarget }] : parseTargets(config.targets);
|
|
18299
|
-
|
|
19078
|
+
let registryPath;
|
|
19079
|
+
if (options.registry) {
|
|
19080
|
+
registryPath = options.registry;
|
|
19081
|
+
} else {
|
|
19082
|
+
spinner.text = "Resolving registry...";
|
|
19083
|
+
const registry = await resolveRegistryPath(config);
|
|
19084
|
+
registryPath = registry.path;
|
|
19085
|
+
if (registry.isRemote) {
|
|
19086
|
+
logger.verbose(`Using cached git registry: ${registryPath}`);
|
|
19087
|
+
}
|
|
19088
|
+
}
|
|
19089
|
+
spinner.text = "Compiling...";
|
|
18300
19090
|
logger.verbose(`Registry: ${registryPath}`);
|
|
18301
19091
|
logger.debug(`Config: ${JSON.stringify(config, null, 2)}`);
|
|
18302
19092
|
const prettierOptions = await resolvePrettierOptions(config, process.cwd());
|
|
@@ -18472,10 +19262,12 @@ async function validateCommand(options) {
|
|
|
18472
19262
|
const spinner = isJsonFormat ? createSpinner("").stop() : createSpinner("Loading configuration...").start();
|
|
18473
19263
|
try {
|
|
18474
19264
|
const config = await loadConfig();
|
|
19265
|
+
if (!isJsonFormat) spinner.text = "Resolving registry...";
|
|
19266
|
+
const registry = await resolveRegistryPath(config);
|
|
18475
19267
|
if (!isJsonFormat) spinner.text = "Validating...";
|
|
18476
19268
|
const compiler = new Compiler({
|
|
18477
19269
|
resolver: {
|
|
18478
|
-
registryPath:
|
|
19270
|
+
registryPath: registry.path,
|
|
18479
19271
|
localPath: "./.promptscript"
|
|
18480
19272
|
},
|
|
18481
19273
|
validator: config.validation,
|
|
@@ -18524,7 +19316,7 @@ function outputJsonResult(result) {
|
|
|
18524
19316
|
// packages/cli/src/commands/pull.ts
|
|
18525
19317
|
import { mkdir as mkdir3, writeFile as writeFile3 } from "fs/promises";
|
|
18526
19318
|
import { existsSync as existsSync9 } from "fs";
|
|
18527
|
-
import { resolve as resolve6, dirname as
|
|
19319
|
+
import { resolve as resolve6, dirname as dirname7 } from "path";
|
|
18528
19320
|
async function pullCommand(options) {
|
|
18529
19321
|
const spinner = createSpinner("Loading configuration...").start();
|
|
18530
19322
|
try {
|
|
@@ -18563,7 +19355,7 @@ async function pullCommand(options) {
|
|
|
18563
19355
|
}
|
|
18564
19356
|
return;
|
|
18565
19357
|
}
|
|
18566
|
-
await mkdir3(
|
|
19358
|
+
await mkdir3(dirname7(destPath), { recursive: true });
|
|
18567
19359
|
await writeFile3(destPath, content, "utf-8");
|
|
18568
19360
|
spinner.succeed("Pulled from registry");
|
|
18569
19361
|
ConsoleOutput.success(destPath);
|
|
@@ -18719,11 +19511,13 @@ async function diffCommand(options) {
|
|
|
18719
19511
|
const spinner = createSpinner("Loading configuration...").start();
|
|
18720
19512
|
try {
|
|
18721
19513
|
const config = await loadConfig();
|
|
19514
|
+
spinner.text = "Resolving registry...";
|
|
19515
|
+
const registry = await resolveRegistryPath(config);
|
|
18722
19516
|
spinner.text = "Compiling...";
|
|
18723
19517
|
const targets = options.target ? [{ name: options.target }] : parseTargets2(config.targets);
|
|
18724
19518
|
const compiler = new Compiler({
|
|
18725
19519
|
resolver: {
|
|
18726
|
-
registryPath:
|
|
19520
|
+
registryPath: registry.path,
|
|
18727
19521
|
localPath: "./.promptscript"
|
|
18728
19522
|
},
|
|
18729
19523
|
validator: config.validation,
|
|
@@ -18957,11 +19751,189 @@ function printResults(results) {
|
|
|
18957
19751
|
}
|
|
18958
19752
|
}
|
|
18959
19753
|
|
|
18960
|
-
// packages/cli/src/
|
|
19754
|
+
// packages/cli/src/commands/update-check.ts
|
|
19755
|
+
import { fileURLToPath as fileURLToPath2 } from "url";
|
|
19756
|
+
import { dirname as dirname8 } from "path";
|
|
19757
|
+
|
|
19758
|
+
// packages/cli/src/utils/version-check.ts
|
|
19759
|
+
import { homedir as homedir2 } from "os";
|
|
19760
|
+
import { join as join8 } from "path";
|
|
19761
|
+
import { existsSync as existsSync12, mkdirSync, readFileSync as readFileSync3, writeFileSync } from "fs";
|
|
19762
|
+
var NPM_REGISTRY_URL = "https://registry.npmjs.org/@promptscript/cli/latest";
|
|
19763
|
+
var CACHE_TTL_MS = 24 * 60 * 60 * 1e3;
|
|
19764
|
+
var FETCH_TIMEOUT_MS = 3e3;
|
|
19765
|
+
function getCacheDir() {
|
|
19766
|
+
return join8(homedir2(), ".promptscript", ".cache");
|
|
19767
|
+
}
|
|
19768
|
+
function getCachePath() {
|
|
19769
|
+
return join8(getCacheDir(), "version.json");
|
|
19770
|
+
}
|
|
19771
|
+
function readCache() {
|
|
19772
|
+
try {
|
|
19773
|
+
const cachePath = getCachePath();
|
|
19774
|
+
if (!existsSync12(cachePath)) {
|
|
19775
|
+
return null;
|
|
19776
|
+
}
|
|
19777
|
+
const content = readFileSync3(cachePath, "utf-8");
|
|
19778
|
+
return JSON.parse(content);
|
|
19779
|
+
} catch {
|
|
19780
|
+
return null;
|
|
19781
|
+
}
|
|
19782
|
+
}
|
|
19783
|
+
function writeCache(cache) {
|
|
19784
|
+
try {
|
|
19785
|
+
const cacheDir = getCacheDir();
|
|
19786
|
+
if (!existsSync12(cacheDir)) {
|
|
19787
|
+
mkdirSync(cacheDir, { recursive: true });
|
|
19788
|
+
}
|
|
19789
|
+
const cachePath = getCachePath();
|
|
19790
|
+
writeFileSync(cachePath, JSON.stringify(cache, null, 2), "utf-8");
|
|
19791
|
+
} catch {
|
|
19792
|
+
}
|
|
19793
|
+
}
|
|
19794
|
+
function isCacheValid(cache) {
|
|
19795
|
+
try {
|
|
19796
|
+
const lastCheck = new Date(cache.lastCheck).getTime();
|
|
19797
|
+
const now = Date.now();
|
|
19798
|
+
return now - lastCheck < CACHE_TTL_MS;
|
|
19799
|
+
} catch {
|
|
19800
|
+
return false;
|
|
19801
|
+
}
|
|
19802
|
+
}
|
|
19803
|
+
async function fetchLatestVersion() {
|
|
19804
|
+
try {
|
|
19805
|
+
const controller = new AbortController();
|
|
19806
|
+
const timeout = setTimeout(() => controller.abort(), FETCH_TIMEOUT_MS);
|
|
19807
|
+
const response = await fetch(NPM_REGISTRY_URL, {
|
|
19808
|
+
signal: controller.signal,
|
|
19809
|
+
headers: {
|
|
19810
|
+
Accept: "application/json"
|
|
19811
|
+
}
|
|
19812
|
+
});
|
|
19813
|
+
clearTimeout(timeout);
|
|
19814
|
+
if (!response.ok) {
|
|
19815
|
+
if (isVerbose()) {
|
|
19816
|
+
ConsoleOutput.verbose(`Could not check for updates: HTTP ${response.status}`);
|
|
19817
|
+
}
|
|
19818
|
+
return null;
|
|
19819
|
+
}
|
|
19820
|
+
const data = await response.json();
|
|
19821
|
+
return data.version ?? null;
|
|
19822
|
+
} catch (error) {
|
|
19823
|
+
if (isVerbose()) {
|
|
19824
|
+
const code = error.code;
|
|
19825
|
+
const message = error instanceof Error ? error.message : "Unknown error";
|
|
19826
|
+
ConsoleOutput.verbose(`Could not check for updates: ${code ?? message}`);
|
|
19827
|
+
}
|
|
19828
|
+
return null;
|
|
19829
|
+
}
|
|
19830
|
+
}
|
|
19831
|
+
function isNewerVersion(currentVersion, latestVersion) {
|
|
19832
|
+
const cleanCurrent = currentVersion.replace(/^v/, "");
|
|
19833
|
+
const cleanLatest = latestVersion.replace(/^v/, "");
|
|
19834
|
+
const [currentBase, currentPrerelease] = cleanCurrent.split("-");
|
|
19835
|
+
const [latestBase, latestPrerelease] = cleanLatest.split("-");
|
|
19836
|
+
const currentParts = (currentBase ?? "").split(".").map((p) => parseInt(p, 10) || 0);
|
|
19837
|
+
const latestParts = (latestBase ?? "").split(".").map((p) => parseInt(p, 10) || 0);
|
|
19838
|
+
for (let i = 0; i < Math.max(currentParts.length, latestParts.length); i++) {
|
|
19839
|
+
const c = currentParts[i] ?? 0;
|
|
19840
|
+
const l = latestParts[i] ?? 0;
|
|
19841
|
+
if (l > c) return true;
|
|
19842
|
+
if (l < c) return false;
|
|
19843
|
+
}
|
|
19844
|
+
if (currentPrerelease && !latestPrerelease) {
|
|
19845
|
+
return true;
|
|
19846
|
+
}
|
|
19847
|
+
return false;
|
|
19848
|
+
}
|
|
19849
|
+
async function checkForUpdates(currentVersion) {
|
|
19850
|
+
if (process.env["PROMPTSCRIPT_NO_UPDATE_CHECK"]) {
|
|
19851
|
+
return null;
|
|
19852
|
+
}
|
|
19853
|
+
if (isQuiet()) {
|
|
19854
|
+
return null;
|
|
19855
|
+
}
|
|
19856
|
+
const cache = readCache();
|
|
19857
|
+
if (cache && isCacheValid(cache) && cache.currentVersion === currentVersion) {
|
|
19858
|
+
if (isNewerVersion(currentVersion, cache.latestVersion)) {
|
|
19859
|
+
return {
|
|
19860
|
+
currentVersion,
|
|
19861
|
+
latestVersion: cache.latestVersion,
|
|
19862
|
+
updateAvailable: true
|
|
19863
|
+
};
|
|
19864
|
+
}
|
|
19865
|
+
return null;
|
|
19866
|
+
}
|
|
19867
|
+
const latestVersion = await fetchLatestVersion();
|
|
19868
|
+
if (!latestVersion) {
|
|
19869
|
+
return null;
|
|
19870
|
+
}
|
|
19871
|
+
writeCache({
|
|
19872
|
+
lastCheck: (/* @__PURE__ */ new Date()).toISOString(),
|
|
19873
|
+
latestVersion,
|
|
19874
|
+
currentVersion
|
|
19875
|
+
});
|
|
19876
|
+
if (isNewerVersion(currentVersion, latestVersion)) {
|
|
19877
|
+
return {
|
|
19878
|
+
currentVersion,
|
|
19879
|
+
latestVersion,
|
|
19880
|
+
updateAvailable: true
|
|
19881
|
+
};
|
|
19882
|
+
}
|
|
19883
|
+
return null;
|
|
19884
|
+
}
|
|
19885
|
+
async function forceCheckForUpdates(currentVersion) {
|
|
19886
|
+
const latestVersion = await fetchLatestVersion();
|
|
19887
|
+
if (!latestVersion) {
|
|
19888
|
+
return { info: null, error: true };
|
|
19889
|
+
}
|
|
19890
|
+
writeCache({
|
|
19891
|
+
lastCheck: (/* @__PURE__ */ new Date()).toISOString(),
|
|
19892
|
+
latestVersion,
|
|
19893
|
+
currentVersion
|
|
19894
|
+
});
|
|
19895
|
+
const updateAvailable = isNewerVersion(currentVersion, latestVersion);
|
|
19896
|
+
return {
|
|
19897
|
+
info: {
|
|
19898
|
+
currentVersion,
|
|
19899
|
+
latestVersion,
|
|
19900
|
+
updateAvailable
|
|
19901
|
+
},
|
|
19902
|
+
error: false
|
|
19903
|
+
};
|
|
19904
|
+
}
|
|
19905
|
+
function printUpdateNotification(info) {
|
|
19906
|
+
console.log(
|
|
19907
|
+
`Update available: ${info.currentVersion} \u2192 ${info.latestVersion} (npm i -g @promptscript/cli)`
|
|
19908
|
+
);
|
|
19909
|
+
}
|
|
19910
|
+
|
|
19911
|
+
// packages/cli/src/commands/update-check.ts
|
|
18961
19912
|
var __filename2 = fileURLToPath2(import.meta.url);
|
|
18962
|
-
var __dirname2 =
|
|
19913
|
+
var __dirname2 = dirname8(__filename2);
|
|
19914
|
+
async function updateCheckCommand() {
|
|
19915
|
+
const currentVersion = getPackageVersion(__dirname2, "../../package.json");
|
|
19916
|
+
console.log(`@promptscript/cli v${currentVersion}`);
|
|
19917
|
+
const { info, error } = await forceCheckForUpdates(currentVersion);
|
|
19918
|
+
if (error) {
|
|
19919
|
+
ConsoleOutput.error("Could not check for updates");
|
|
19920
|
+
process.exitCode = 1;
|
|
19921
|
+
return;
|
|
19922
|
+
}
|
|
19923
|
+
if (info?.updateAvailable) {
|
|
19924
|
+
console.log(
|
|
19925
|
+
`Update available: ${info.currentVersion} \u2192 ${info.latestVersion} (npm i -g @promptscript/cli)`
|
|
19926
|
+
);
|
|
19927
|
+
} else {
|
|
19928
|
+
ConsoleOutput.success("Up to date");
|
|
19929
|
+
}
|
|
19930
|
+
}
|
|
19931
|
+
|
|
19932
|
+
// packages/cli/src/cli.ts
|
|
19933
|
+
var __filename3 = fileURLToPath3(import.meta.url);
|
|
19934
|
+
var __dirname3 = dirname9(__filename3);
|
|
18963
19935
|
var program = new Command();
|
|
18964
|
-
program.name("prs").description("PromptScript CLI - Standardize AI instructions").version(getPackageVersion(
|
|
19936
|
+
program.name("prs").description("PromptScript CLI - Standardize AI instructions").version(getPackageVersion(__dirname3, "../package.json")).option("--verbose", "Enable verbose output").option("--debug", "Enable debug output (includes verbose)").option("--quiet", "Suppress non-error output").hook("preAction", async (thisCommand, actionCommand) => {
|
|
18965
19937
|
const opts = thisCommand.opts();
|
|
18966
19938
|
if (opts["quiet"]) {
|
|
18967
19939
|
setContext({ logLevel: 0 /* Quiet */ });
|
|
@@ -18975,13 +19947,22 @@ program.name("prs").description("PromptScript CLI - Standardize AI instructions"
|
|
|
18975
19947
|
} else if (process.env["PROMPTSCRIPT_VERBOSE"] === "1" || process.env["PROMPTSCRIPT_VERBOSE"] === "true") {
|
|
18976
19948
|
setContext({ logLevel: 2 /* Verbose */ });
|
|
18977
19949
|
}
|
|
19950
|
+
if (actionCommand.name() === "update-check") {
|
|
19951
|
+
return;
|
|
19952
|
+
}
|
|
19953
|
+
const currentVersion = getPackageVersion(__dirname3, "../package.json");
|
|
19954
|
+
const updateInfo = await checkForUpdates(currentVersion);
|
|
19955
|
+
if (updateInfo) {
|
|
19956
|
+
printUpdateNotification(updateInfo);
|
|
19957
|
+
}
|
|
18978
19958
|
});
|
|
18979
19959
|
program.command("init").description("Initialize PromptScript in current directory").option("-n, --name <name>", "Project name (auto-detected from package.json, etc.)").option("-t, --team <team>", "Team namespace").option("--inherit <path>", "Inheritance path (e.g., @company/team)").option("--registry <path>", "Registry path").option("--targets <targets...>", "Target AI tools (github, claude, cursor)").option("-i, --interactive", "Force interactive mode").option("-y, --yes", "Skip prompts, use defaults").option("-f, --force", "Force reinitialize even if already initialized").option("-m, --migrate", "Install migration skill for AI-assisted migration").action((opts) => initCommand(opts));
|
|
18980
19960
|
program.command("compile").description("Compile PromptScript to target formats").option("-t, --target <target>", "Specific target (github, claude, cursor)").option("-f, --format <format>", "Output format (alias for --target)").option("-a, --all", "All configured targets", true).option("-w, --watch", "Watch mode").option("-o, --output <dir>", "Output directory").option("--dry-run", "Preview changes").option("--registry <path>", "Registry path (overrides config)").option("-c, --config <path>", "Path to custom config file").option("--force", "Force overwrite existing files without prompts").action((opts) => compileCommand(opts));
|
|
18981
19961
|
program.command("validate").description("Validate PromptScript files").option("--strict", "Treat warnings as errors").option("--format <format>", "Output format (text, json)", "text").action(validateCommand);
|
|
18982
19962
|
program.command("pull").description("Pull updates from registry").option("-f, --force", "Force overwrite").option("--dry-run", "Preview changes without pulling").option("-b, --branch <name>", "Git branch to pull from").option("--tag <name>", "Git tag to pull from").option("--commit <hash>", "Git commit to pull from").option("--refresh", "Force re-fetch from remote (ignore cache)").action(pullCommand);
|
|
18983
19963
|
program.command("diff").description("Show diff for compiled output").option("-t, --target <target>", "Specific target").option("-a, --all", "Show diff for all targets at once").option("--full", "Show full diff without truncation").option("--no-pager", "Disable pager output").option("--color", "Force colored output").option("--no-color", "Disable colored output").action(diffCommand);
|
|
18984
|
-
program.command("check").description("Check configuration and dependencies health").
|
|
19964
|
+
program.command("check").description("Check configuration and dependencies health").action(checkCommand);
|
|
19965
|
+
program.command("update-check").description("Check for CLI updates").action(updateCheckCommand);
|
|
18985
19966
|
function run(args = process.argv) {
|
|
18986
19967
|
program.parse(args);
|
|
18987
19968
|
}
|
|
@@ -18991,18 +19972,25 @@ export {
|
|
|
18991
19972
|
ConsoleOutput,
|
|
18992
19973
|
LogLevel,
|
|
18993
19974
|
checkCommand,
|
|
19975
|
+
checkForUpdates,
|
|
18994
19976
|
compileCommand,
|
|
18995
19977
|
createSpinner,
|
|
18996
19978
|
diffCommand,
|
|
19979
|
+
fetchLatestVersion,
|
|
18997
19980
|
findConfigFile,
|
|
19981
|
+
forceCheckForUpdates,
|
|
19982
|
+
getCacheDir,
|
|
19983
|
+
getCachePath,
|
|
18998
19984
|
getContext,
|
|
18999
19985
|
initCommand,
|
|
19000
19986
|
isQuiet,
|
|
19001
19987
|
isVerbose,
|
|
19002
19988
|
loadConfig,
|
|
19989
|
+
printUpdateNotification,
|
|
19003
19990
|
pullCommand,
|
|
19004
19991
|
run,
|
|
19005
19992
|
setContext,
|
|
19993
|
+
updateCheckCommand,
|
|
19006
19994
|
validateCommand
|
|
19007
19995
|
};
|
|
19008
19996
|
/*! Bundled license information:
|