agentdeps 0.1.0
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/README.md +181 -0
- package/dist/index.js +250 -0
- package/package.json +42 -0
package/README.md
ADDED
|
@@ -0,0 +1,181 @@
|
|
|
1
|
+
# agentdeps
|
|
2
|
+
|
|
3
|
+
Declarative dependency manager for AI coding agent skills and subagents.
|
|
4
|
+
|
|
5
|
+
Manage skills and subagent definitions from git repositories across multiple coding agents (Pi, Claude Code, Cursor, OpenCode, Codex, Amp, and more) with a single `agents.yaml` file.
|
|
6
|
+
|
|
7
|
+
## Quick Start
|
|
8
|
+
|
|
9
|
+
```bash
|
|
10
|
+
# Run without installing
|
|
11
|
+
npx agentdeps install
|
|
12
|
+
|
|
13
|
+
# Or install globally
|
|
14
|
+
npm install -g agentdeps
|
|
15
|
+
```
|
|
16
|
+
|
|
17
|
+
## Usage
|
|
18
|
+
|
|
19
|
+
### 1. First-run setup
|
|
20
|
+
|
|
21
|
+
On first use, `agentdeps` will ask you to configure:
|
|
22
|
+
|
|
23
|
+
- **Clone method**: SSH or HTTPS
|
|
24
|
+
- **Target agents**: Which coding agents you use (Pi, Claude Code, Cursor, etc.)
|
|
25
|
+
- **Install method**: Link (symlinks, default) or Copy (smart sync)
|
|
26
|
+
|
|
27
|
+
Re-run anytime with `agentdeps config`.
|
|
28
|
+
|
|
29
|
+
### 2. Add dependencies
|
|
30
|
+
|
|
31
|
+
```bash
|
|
32
|
+
# Interactive — discover and pick skills/agents
|
|
33
|
+
agentdeps add my-org/my-skills-repo
|
|
34
|
+
|
|
35
|
+
# Install everything from a repo
|
|
36
|
+
agentdeps add my-org/my-skills-repo --all
|
|
37
|
+
|
|
38
|
+
# Cherry-pick specific items
|
|
39
|
+
agentdeps add my-org/my-repo --skill frontend-design --skill kotlin-conventions --no-agents
|
|
40
|
+
|
|
41
|
+
# Specify a git ref
|
|
42
|
+
agentdeps add my-org/my-repo --ref v2.0
|
|
43
|
+
```
|
|
44
|
+
|
|
45
|
+
### 3. Install dependencies
|
|
46
|
+
|
|
47
|
+
```bash
|
|
48
|
+
agentdeps install
|
|
49
|
+
```
|
|
50
|
+
|
|
51
|
+
This clones/updates all dependency repos, discovers skills and agents, and installs them into each configured coding agent's directories.
|
|
52
|
+
|
|
53
|
+
### 4. List dependencies
|
|
54
|
+
|
|
55
|
+
```bash
|
|
56
|
+
agentdeps list
|
|
57
|
+
```
|
|
58
|
+
|
|
59
|
+
### 5. Remove a dependency
|
|
60
|
+
|
|
61
|
+
```bash
|
|
62
|
+
agentdeps remove my-org/my-skills-repo
|
|
63
|
+
```
|
|
64
|
+
|
|
65
|
+
## `agents.yaml`
|
|
66
|
+
|
|
67
|
+
The project-level dependency file:
|
|
68
|
+
|
|
69
|
+
```yaml
|
|
70
|
+
dependencies:
|
|
71
|
+
# Install all skills and agents (default)
|
|
72
|
+
- repo: my-org/my-repo
|
|
73
|
+
|
|
74
|
+
# Pin to a specific version
|
|
75
|
+
- repo: my-org/my-repo
|
|
76
|
+
ref: v2.0
|
|
77
|
+
|
|
78
|
+
# Only specific skills, no agents
|
|
79
|
+
- repo: my-org/mixed-repo
|
|
80
|
+
skills:
|
|
81
|
+
- frontend-design
|
|
82
|
+
- kotlin-conventions
|
|
83
|
+
agents: false
|
|
84
|
+
|
|
85
|
+
# All agents, no skills
|
|
86
|
+
- repo: my-org/agents-only
|
|
87
|
+
skills: false
|
|
88
|
+
|
|
89
|
+
# Full URL (bypasses clone method setting)
|
|
90
|
+
- repo: git@github.com:my-org/private-repo.git
|
|
91
|
+
ref: develop
|
|
92
|
+
```
|
|
93
|
+
|
|
94
|
+
### Dependency selection
|
|
95
|
+
|
|
96
|
+
| `skills` | `agents` | Behavior |
|
|
97
|
+
|---|---|---|
|
|
98
|
+
| omitted / `"*"` | omitted / `"*"` | All skills and all agents (default) |
|
|
99
|
+
| `["a", "b"]` | omitted | Only listed skills, all agents |
|
|
100
|
+
| `false` | `"*"` | No skills, all agents |
|
|
101
|
+
| `"*"` | `false` | All skills, no agents |
|
|
102
|
+
| `["a"]` | `["x"]` | Only listed skills and agents |
|
|
103
|
+
|
|
104
|
+
## `config.yaml`
|
|
105
|
+
|
|
106
|
+
Global user config at `~/.config/agentdeps/config.yaml`:
|
|
107
|
+
|
|
108
|
+
```yaml
|
|
109
|
+
clone_method: ssh # or "https"
|
|
110
|
+
install_method: link # or "copy"
|
|
111
|
+
agents:
|
|
112
|
+
- pi
|
|
113
|
+
- claude-code
|
|
114
|
+
- opencode
|
|
115
|
+
|
|
116
|
+
# Optional: define custom agents
|
|
117
|
+
custom_agents:
|
|
118
|
+
my-internal-agent:
|
|
119
|
+
project_skills: .my-agent/skills
|
|
120
|
+
project_agents: .my-agent/agents
|
|
121
|
+
global_skills: ~/.my-agent/skills
|
|
122
|
+
global_agents: ~/.my-agent/agents
|
|
123
|
+
```
|
|
124
|
+
|
|
125
|
+
### Global dependencies
|
|
126
|
+
|
|
127
|
+
Personal dependencies go in `~/.config/agentdeps/agents.yaml` — same format as the project file. They're installed to global agent directories automatically.
|
|
128
|
+
|
|
129
|
+
## Repo Layout Convention
|
|
130
|
+
|
|
131
|
+
Dependency repositories should provide:
|
|
132
|
+
|
|
133
|
+
```
|
|
134
|
+
my-skills-repo/
|
|
135
|
+
├── skills/
|
|
136
|
+
│ ├── frontend-design/
|
|
137
|
+
│ │ └── SKILL.md
|
|
138
|
+
│ └── kotlin-conventions/
|
|
139
|
+
│ └── SKILL.md
|
|
140
|
+
└── agents/
|
|
141
|
+
└── code-reviewer/
|
|
142
|
+
└── agent.md
|
|
143
|
+
```
|
|
144
|
+
|
|
145
|
+
- `skills/` — subdirectories containing `SKILL.md` are skills
|
|
146
|
+
- `agents/` — subdirectories are subagent definitions
|
|
147
|
+
|
|
148
|
+
## Supported Agents
|
|
149
|
+
|
|
150
|
+
| Agent | Project Paths | Type |
|
|
151
|
+
|---|---|---|
|
|
152
|
+
| Pi | `.pi/skills`, `.pi/agents` | Unique |
|
|
153
|
+
| Claude Code | `.claude/skills`, `.claude/agents` | Unique |
|
|
154
|
+
| Cursor | `.cursor/skills`, `.cursor/agents` | Unique |
|
|
155
|
+
| Roo | `.roo/skills`, `.roo/agents` | Unique |
|
|
156
|
+
| Cline | `.cline/skills`, `.cline/agents` | Unique |
|
|
157
|
+
| Windsurf | `.windsurf/skills`, `.windsurf/agents` | Unique |
|
|
158
|
+
| OpenCode | `.agents/skills`, `.agents/agents` | Universal |
|
|
159
|
+
| Codex | `.agents/skills`, `.agents/agents` | Universal |
|
|
160
|
+
| Amp | `.agents/skills`, `.agents/agents` | Universal |
|
|
161
|
+
| Gemini CLI | `.agents/skills`, `.agents/agents` | Universal |
|
|
162
|
+
| GitHub Copilot | `.agents/skills`, `.agents/agents` | Universal |
|
|
163
|
+
| Kimi CLI | `.agents/skills`, `.agents/agents` | Universal |
|
|
164
|
+
|
|
165
|
+
Universal agents share the same project paths — items are only installed once.
|
|
166
|
+
|
|
167
|
+
## Install Methods
|
|
168
|
+
|
|
169
|
+
- **Link (default)**: Symlinks from `_agentdeps_managed/` to the cached repo. Fast, no duplication.
|
|
170
|
+
- **Copy**: Smart sync — adds new files, updates changed files, removes deleted files. Self-contained and portable.
|
|
171
|
+
|
|
172
|
+
Both use `_agentdeps_managed/` subdirectories (e.g., `.pi/skills/_agentdeps_managed/`) which are fully owned by the tool.
|
|
173
|
+
|
|
174
|
+
## Requirements
|
|
175
|
+
|
|
176
|
+
- Node.js 18+ (for `npx`)
|
|
177
|
+
- `git` CLI
|
|
178
|
+
|
|
179
|
+
## License
|
|
180
|
+
|
|
181
|
+
MIT
|
package/dist/index.js
ADDED
|
@@ -0,0 +1,250 @@
|
|
|
1
|
+
#!/usr/bin/env node
|
|
2
|
+
import{createRequire as F6}from"node:module";var M6=Object.create;var{getPrototypeOf:K6,defineProperty:h4,getOwnPropertyNames:P6}=Object;var D6=Object.prototype.hasOwnProperty;var g1=(q,Z,X)=>{X=q!=null?M6(K6(q)):{};let J=Z||!q||!q.__esModule?h4(X,"default",{value:q,enumerable:!0}):X;for(let $ of P6(q))if(!D6.call(J,$))h4(J,$,{get:()=>q[$],enumerable:!0});return J};var D=(q,Z)=>()=>(Z||q((Z={exports:{}}).exports,Z),Z.exports);var r=F6(import.meta.url);var u1=D((O6)=>{class gq extends Error{constructor(q,Z,X){super(X);Error.captureStackTrace(this,this.constructor),this.name=this.constructor.name,this.code=Z,this.exitCode=q,this.nestedError=void 0}}class g4 extends gq{constructor(q){super(1,"commander.invalidArgument",q);Error.captureStackTrace(this,this.constructor),this.name=this.constructor.name}}O6.CommanderError=gq;O6.InvalidArgumentError=g4});var F0=D((b6)=>{var{InvalidArgumentError:S6}=u1();class u4{constructor(q,Z){switch(this.description=Z||"",this.variadic=!1,this.parseArg=void 0,this.defaultValue=void 0,this.defaultValueDescription=void 0,this.argChoices=void 0,q[0]){case"<":this.required=!0,this._name=q.slice(1,-1);break;case"[":this.required=!1,this._name=q.slice(1,-1);break;default:this.required=!0,this._name=q;break}if(this._name.endsWith("..."))this.variadic=!0,this._name=this._name.slice(0,-3)}name(){return this._name}_collectValue(q,Z){if(Z===this.defaultValue||!Array.isArray(Z))return[q];return Z.push(q),Z}default(q,Z){return this.defaultValue=q,this.defaultValueDescription=Z,this}argParser(q){return this.parseArg=q,this}choices(q){return this.argChoices=q.slice(),this.parseArg=(Z,X)=>{if(!this.argChoices.includes(Z))throw new S6(`Allowed choices are ${this.argChoices.join(", ")}.`);if(this.variadic)return this._collectValue(Z,X);return Z},this}argRequired(){return this.required=!0,this}argOptional(){return this.required=!1,this}}function w6(q){let Z=q.name()+(q.variadic===!0?"...":"");return q.required?"<"+Z+">":"["+Z+"]"}b6.Argument=u4;b6.humanReadableArgName=w6});var uq=D((f6)=>{var{humanReadableArgName:C6}=F0();class m4{constructor(){this.helpWidth=void 0,this.minWidthToWrap=40,this.sortSubcommands=!1,this.sortOptions=!1,this.showGlobalOptions=!1}prepareContext(q){this.helpWidth=this.helpWidth??q.helpWidth??80}visibleCommands(q){let Z=q.commands.filter((J)=>!J._hidden),X=q._getHelpCommand();if(X&&!X._hidden)Z.push(X);if(this.sortSubcommands)Z.sort((J,$)=>{return J.name().localeCompare($.name())});return Z}compareOptions(q,Z){let X=(J)=>{return J.short?J.short.replace(/^-/,""):J.long.replace(/^--/,"")};return X(q).localeCompare(X(Z))}visibleOptions(q){let Z=q.options.filter((J)=>!J.hidden),X=q._getHelpOption();if(X&&!X.hidden){let J=X.short&&q._findOption(X.short),$=X.long&&q._findOption(X.long);if(!J&&!$)Z.push(X);else if(X.long&&!$)Z.push(q.createOption(X.long,X.description));else if(X.short&&!J)Z.push(q.createOption(X.short,X.description))}if(this.sortOptions)Z.sort(this.compareOptions);return Z}visibleGlobalOptions(q){if(!this.showGlobalOptions)return[];let Z=[];for(let X=q.parent;X;X=X.parent){let J=X.options.filter(($)=>!$.hidden);Z.push(...J)}if(this.sortOptions)Z.sort(this.compareOptions);return Z}visibleArguments(q){if(q._argsDescription)q.registeredArguments.forEach((Z)=>{Z.description=Z.description||q._argsDescription[Z.name()]||""});if(q.registeredArguments.find((Z)=>Z.description))return q.registeredArguments;return[]}subcommandTerm(q){let Z=q.registeredArguments.map((X)=>C6(X)).join(" ");return q._name+(q._aliases[0]?"|"+q._aliases[0]:"")+(q.options.length?" [options]":"")+(Z?" "+Z:"")}optionTerm(q){return q.flags}argumentTerm(q){return q.name()}longestSubcommandTermLength(q,Z){return Z.visibleCommands(q).reduce((X,J)=>{return Math.max(X,this.displayWidth(Z.styleSubcommandTerm(Z.subcommandTerm(J))))},0)}longestOptionTermLength(q,Z){return Z.visibleOptions(q).reduce((X,J)=>{return Math.max(X,this.displayWidth(Z.styleOptionTerm(Z.optionTerm(J))))},0)}longestGlobalOptionTermLength(q,Z){return Z.visibleGlobalOptions(q).reduce((X,J)=>{return Math.max(X,this.displayWidth(Z.styleOptionTerm(Z.optionTerm(J))))},0)}longestArgumentTermLength(q,Z){return Z.visibleArguments(q).reduce((X,J)=>{return Math.max(X,this.displayWidth(Z.styleArgumentTerm(Z.argumentTerm(J))))},0)}commandUsage(q){let Z=q._name;if(q._aliases[0])Z=Z+"|"+q._aliases[0];let X="";for(let J=q.parent;J;J=J.parent)X=J.name()+" "+X;return X+Z+" "+q.usage()}commandDescription(q){return q.description()}subcommandDescription(q){return q.summary()||q.description()}optionDescription(q){let Z=[];if(q.argChoices)Z.push(`choices: ${q.argChoices.map((X)=>JSON.stringify(X)).join(", ")}`);if(q.defaultValue!==void 0){if(q.required||q.optional||q.isBoolean()&&typeof q.defaultValue==="boolean")Z.push(`default: ${q.defaultValueDescription||JSON.stringify(q.defaultValue)}`)}if(q.presetArg!==void 0&&q.optional)Z.push(`preset: ${JSON.stringify(q.presetArg)}`);if(q.envVar!==void 0)Z.push(`env: ${q.envVar}`);if(Z.length>0){let X=`(${Z.join(", ")})`;if(q.description)return`${q.description} ${X}`;return X}return q.description}argumentDescription(q){let Z=[];if(q.argChoices)Z.push(`choices: ${q.argChoices.map((X)=>JSON.stringify(X)).join(", ")}`);if(q.defaultValue!==void 0)Z.push(`default: ${q.defaultValueDescription||JSON.stringify(q.defaultValue)}`);if(Z.length>0){let X=`(${Z.join(", ")})`;if(q.description)return`${q.description} ${X}`;return X}return q.description}formatItemList(q,Z,X){if(Z.length===0)return[];return[X.styleTitle(q),...Z,""]}groupItems(q,Z,X){let J=new Map;return q.forEach(($)=>{let Q=X($);if(!J.has(Q))J.set(Q,[])}),Z.forEach(($)=>{let Q=X($);if(!J.has(Q))J.set(Q,[]);J.get(Q).push($)}),J}formatHelp(q,Z){let X=Z.padWidth(q,Z),J=Z.helpWidth??80;function $(Y,B){return Z.formatItem(Y,X,B,Z)}let Q=[`${Z.styleTitle("Usage:")} ${Z.styleUsage(Z.commandUsage(q))}`,""],z=Z.commandDescription(q);if(z.length>0)Q=Q.concat([Z.boxWrap(Z.styleCommandDescription(z),J),""]);let H=Z.visibleArguments(q).map((Y)=>{return $(Z.styleArgumentTerm(Z.argumentTerm(Y)),Z.styleArgumentDescription(Z.argumentDescription(Y)))});if(Q=Q.concat(this.formatItemList("Arguments:",H,Z)),this.groupItems(q.options,Z.visibleOptions(q),(Y)=>Y.helpGroupHeading??"Options:").forEach((Y,B)=>{let _=Y.map((R)=>{return $(Z.styleOptionTerm(Z.optionTerm(R)),Z.styleOptionDescription(Z.optionDescription(R)))});Q=Q.concat(this.formatItemList(B,_,Z))}),Z.showGlobalOptions){let Y=Z.visibleGlobalOptions(q).map((B)=>{return $(Z.styleOptionTerm(Z.optionTerm(B)),Z.styleOptionDescription(Z.optionDescription(B)))});Q=Q.concat(this.formatItemList("Global Options:",Y,Z))}return this.groupItems(q.commands,Z.visibleCommands(q),(Y)=>Y.helpGroup()||"Commands:").forEach((Y,B)=>{let _=Y.map((R)=>{return $(Z.styleSubcommandTerm(Z.subcommandTerm(R)),Z.styleSubcommandDescription(Z.subcommandDescription(R)))});Q=Q.concat(this.formatItemList(B,_,Z))}),Q.join(`
|
|
3
|
+
`)}displayWidth(q){return d4(q).length}styleTitle(q){return q}styleUsage(q){return q.split(" ").map((Z)=>{if(Z==="[options]")return this.styleOptionText(Z);if(Z==="[command]")return this.styleSubcommandText(Z);if(Z[0]==="["||Z[0]==="<")return this.styleArgumentText(Z);return this.styleCommandText(Z)}).join(" ")}styleCommandDescription(q){return this.styleDescriptionText(q)}styleOptionDescription(q){return this.styleDescriptionText(q)}styleSubcommandDescription(q){return this.styleDescriptionText(q)}styleArgumentDescription(q){return this.styleDescriptionText(q)}styleDescriptionText(q){return q}styleOptionTerm(q){return this.styleOptionText(q)}styleSubcommandTerm(q){return q.split(" ").map((Z)=>{if(Z==="[options]")return this.styleOptionText(Z);if(Z[0]==="["||Z[0]==="<")return this.styleArgumentText(Z);return this.styleSubcommandText(Z)}).join(" ")}styleArgumentTerm(q){return this.styleArgumentText(q)}styleOptionText(q){return q}styleArgumentText(q){return q}styleSubcommandText(q){return q}styleCommandText(q){return q}padWidth(q,Z){return Math.max(Z.longestOptionTermLength(q,Z),Z.longestGlobalOptionTermLength(q,Z),Z.longestSubcommandTermLength(q,Z),Z.longestArgumentTermLength(q,Z))}preformatted(q){return/\n[^\S\r\n]/.test(q)}formatItem(q,Z,X,J){let Q=" ".repeat(2);if(!X)return Q+q;let z=q.padEnd(Z+q.length-J.displayWidth(q)),H=2,G=(this.helpWidth??80)-Z-H-2,Y;if(G<this.minWidthToWrap||J.preformatted(X))Y=X;else Y=J.boxWrap(X,G).replace(/\n/g,`
|
|
4
|
+
`+" ".repeat(Z+H));return Q+z+" ".repeat(H)+Y.replace(/\n/g,`
|
|
5
|
+
${Q}`)}boxWrap(q,Z){if(Z<this.minWidthToWrap)return q;let X=q.split(/\r\n|\n/),J=/[\s]*[^\s]+/g,$=[];return X.forEach((Q)=>{let z=Q.match(J);if(z===null){$.push("");return}let H=[z.shift()],U=this.displayWidth(H[0]);z.forEach((G)=>{let Y=this.displayWidth(G);if(U+Y<=Z){H.push(G),U+=Y;return}$.push(H.join(""));let B=G.trimStart();H=[B],U=this.displayWidth(B)}),$.push(H.join(""))}),$.join(`
|
|
6
|
+
`)}}function d4(q){let Z=/\x1b\[\d*(;\d*)*m/g;return q.replace(Z,"")}f6.Help=m4;f6.stripColor=d4});var mq=D((h6)=>{var{InvalidArgumentError:k6}=u1();class p4{constructor(q,Z){this.flags=q,this.description=Z||"",this.required=q.includes("<"),this.optional=q.includes("["),this.variadic=/\w\.\.\.[>\]]$/.test(q),this.mandatory=!1;let X=v6(q);if(this.short=X.shortFlag,this.long=X.longFlag,this.negate=!1,this.long)this.negate=this.long.startsWith("--no-");this.defaultValue=void 0,this.defaultValueDescription=void 0,this.presetArg=void 0,this.envVar=void 0,this.parseArg=void 0,this.hidden=!1,this.argChoices=void 0,this.conflictsWith=[],this.implied=void 0,this.helpGroupHeading=void 0}default(q,Z){return this.defaultValue=q,this.defaultValueDescription=Z,this}preset(q){return this.presetArg=q,this}conflicts(q){return this.conflictsWith=this.conflictsWith.concat(q),this}implies(q){let Z=q;if(typeof q==="string")Z={[q]:!0};return this.implied=Object.assign(this.implied||{},Z),this}env(q){return this.envVar=q,this}argParser(q){return this.parseArg=q,this}makeOptionMandatory(q=!0){return this.mandatory=!!q,this}hideHelp(q=!0){return this.hidden=!!q,this}_collectValue(q,Z){if(Z===this.defaultValue||!Array.isArray(Z))return[q];return Z.push(q),Z}choices(q){return this.argChoices=q.slice(),this.parseArg=(Z,X)=>{if(!this.argChoices.includes(Z))throw new k6(`Allowed choices are ${this.argChoices.join(", ")}.`);if(this.variadic)return this._collectValue(Z,X);return Z},this}name(){if(this.long)return this.long.replace(/^--/,"");return this.short.replace(/^-/,"")}attributeName(){if(this.negate)return l4(this.name().replace(/^no-/,""));return l4(this.name())}helpGroup(q){return this.helpGroupHeading=q,this}is(q){return this.short===q||this.long===q}isBoolean(){return!this.required&&!this.optional&&!this.negate}}class c4{constructor(q){this.positiveOptions=new Map,this.negativeOptions=new Map,this.dualOptions=new Set,q.forEach((Z)=>{if(Z.negate)this.negativeOptions.set(Z.attributeName(),Z);else this.positiveOptions.set(Z.attributeName(),Z)}),this.negativeOptions.forEach((Z,X)=>{if(this.positiveOptions.has(X))this.dualOptions.add(X)})}valueFromOption(q,Z){let X=Z.attributeName();if(!this.dualOptions.has(X))return!0;let J=this.negativeOptions.get(X).presetArg,$=J!==void 0?J:!1;return Z.negate===($===q)}}function l4(q){return q.split("-").reduce((Z,X)=>{return Z+X[0].toUpperCase()+X.slice(1)})}function v6(q){let Z,X,J=/^-[^-]$/,$=/^--[^-]/,Q=q.split(/[ |,]+/).concat("guard");if(J.test(Q[0]))Z=Q.shift();if($.test(Q[0]))X=Q.shift();if(!Z&&J.test(Q[0]))Z=Q.shift();if(!Z&&$.test(Q[0]))Z=X,X=Q.shift();if(Q[0].startsWith("-")){let z=Q[0],H=`option creation failed due to '${z}' in option flags '${q}'`;if(/^-[^-][^-]/.test(z))throw Error(`${H}
|
|
7
|
+
- a short flag is a single dash and a single character
|
|
8
|
+
- either use a single dash and a single character (for a short flag)
|
|
9
|
+
- or use a double dash for a long option (and can have two, like '--ws, --workspace')`);if(J.test(z))throw Error(`${H}
|
|
10
|
+
- too many short flags`);if($.test(z))throw Error(`${H}
|
|
11
|
+
- too many long flags`);throw Error(`${H}
|
|
12
|
+
- unrecognised flag format`)}if(Z===void 0&&X===void 0)throw Error(`option creation failed due to no flags found in '${q}'.`);return{shortFlag:Z,longFlag:X}}h6.Option=p4;h6.DualOptions=c4});var i4=D((l6)=>{function m6(q,Z){if(Math.abs(q.length-Z.length)>3)return Math.max(q.length,Z.length);let X=[];for(let J=0;J<=q.length;J++)X[J]=[J];for(let J=0;J<=Z.length;J++)X[0][J]=J;for(let J=1;J<=Z.length;J++)for(let $=1;$<=q.length;$++){let Q=1;if(q[$-1]===Z[J-1])Q=0;else Q=1;if(X[$][J]=Math.min(X[$-1][J]+1,X[$][J-1]+1,X[$-1][J-1]+Q),$>1&&J>1&&q[$-1]===Z[J-2]&&q[$-2]===Z[J-1])X[$][J]=Math.min(X[$][J],X[$-2][J-2]+1)}return X[q.length][Z.length]}function d6(q,Z){if(!Z||Z.length===0)return"";Z=Array.from(new Set(Z));let X=q.startsWith("--");if(X)q=q.slice(2),Z=Z.map((z)=>z.slice(2));let J=[],$=3,Q=0.4;if(Z.forEach((z)=>{if(z.length<=1)return;let H=m6(q,z),U=Math.max(q.length,z.length);if((U-H)/U>Q){if(H<$)$=H,J=[z];else if(H===$)J.push(z)}}),J.sort((z,H)=>z.localeCompare(H)),X)J=J.map((z)=>`--${z}`);if(J.length>1)return`
|
|
13
|
+
(Did you mean one of ${J.join(", ")}?)`;if(J.length===1)return`
|
|
14
|
+
(Did you mean ${J[0]}?)`;return""}l6.suggestSimilar=d6});var n4=D((o6)=>{var c6=r("node:events").EventEmitter,dq=r("node:child_process"),n=r("node:path"),O0=r("node:fs"),b=r("node:process"),{Argument:i6,humanReadableArgName:a6}=F0(),{CommanderError:lq}=u1(),{Help:s6,stripColor:r6}=uq(),{Option:a4,DualOptions:n6}=mq(),{suggestSimilar:s4}=i4();class cq extends c6{constructor(q){super();this.commands=[],this.options=[],this.parent=null,this._allowUnknownOption=!1,this._allowExcessArguments=!1,this.registeredArguments=[],this._args=this.registeredArguments,this.args=[],this.rawArgs=[],this.processedArgs=[],this._scriptPath=null,this._name=q||"",this._optionValues={},this._optionValueSources={},this._storeOptionsAsProperties=!1,this._actionHandler=null,this._executableHandler=!1,this._executableFile=null,this._executableDir=null,this._defaultCommandName=null,this._exitCallback=null,this._aliases=[],this._combineFlagAndOptionalValue=!0,this._description="",this._summary="",this._argsDescription=void 0,this._enablePositionalOptions=!1,this._passThroughOptions=!1,this._lifeCycleHooks={},this._showHelpAfterError=!1,this._showSuggestionAfterError=!0,this._savedState=null,this._outputConfiguration={writeOut:(Z)=>b.stdout.write(Z),writeErr:(Z)=>b.stderr.write(Z),outputError:(Z,X)=>X(Z),getOutHelpWidth:()=>b.stdout.isTTY?b.stdout.columns:void 0,getErrHelpWidth:()=>b.stderr.isTTY?b.stderr.columns:void 0,getOutHasColors:()=>pq()??(b.stdout.isTTY&&b.stdout.hasColors?.()),getErrHasColors:()=>pq()??(b.stderr.isTTY&&b.stderr.hasColors?.()),stripColor:(Z)=>r6(Z)},this._hidden=!1,this._helpOption=void 0,this._addImplicitHelpCommand=void 0,this._helpCommand=void 0,this._helpConfiguration={},this._helpGroupHeading=void 0,this._defaultCommandGroup=void 0,this._defaultOptionGroup=void 0}copyInheritedSettings(q){return this._outputConfiguration=q._outputConfiguration,this._helpOption=q._helpOption,this._helpCommand=q._helpCommand,this._helpConfiguration=q._helpConfiguration,this._exitCallback=q._exitCallback,this._storeOptionsAsProperties=q._storeOptionsAsProperties,this._combineFlagAndOptionalValue=q._combineFlagAndOptionalValue,this._allowExcessArguments=q._allowExcessArguments,this._enablePositionalOptions=q._enablePositionalOptions,this._showHelpAfterError=q._showHelpAfterError,this._showSuggestionAfterError=q._showSuggestionAfterError,this}_getCommandAndAncestors(){let q=[];for(let Z=this;Z;Z=Z.parent)q.push(Z);return q}command(q,Z,X){let J=Z,$=X;if(typeof J==="object"&&J!==null)$=J,J=null;$=$||{};let[,Q,z]=q.match(/([^ ]+) *(.*)/),H=this.createCommand(Q);if(J)H.description(J),H._executableHandler=!0;if($.isDefault)this._defaultCommandName=H._name;if(H._hidden=!!($.noHelp||$.hidden),H._executableFile=$.executableFile||null,z)H.arguments(z);if(this._registerCommand(H),H.parent=this,H.copyInheritedSettings(this),J)return this;return H}createCommand(q){return new cq(q)}createHelp(){return Object.assign(new s6,this.configureHelp())}configureHelp(q){if(q===void 0)return this._helpConfiguration;return this._helpConfiguration=q,this}configureOutput(q){if(q===void 0)return this._outputConfiguration;return this._outputConfiguration={...this._outputConfiguration,...q},this}showHelpAfterError(q=!0){if(typeof q!=="string")q=!!q;return this._showHelpAfterError=q,this}showSuggestionAfterError(q=!0){return this._showSuggestionAfterError=!!q,this}addCommand(q,Z){if(!q._name)throw Error(`Command passed to .addCommand() must have a name
|
|
15
|
+
- specify the name in Command constructor or using .name()`);if(Z=Z||{},Z.isDefault)this._defaultCommandName=q._name;if(Z.noHelp||Z.hidden)q._hidden=!0;return this._registerCommand(q),q.parent=this,q._checkForBrokenPassThrough(),this}createArgument(q,Z){return new i6(q,Z)}argument(q,Z,X,J){let $=this.createArgument(q,Z);if(typeof X==="function")$.default(J).argParser(X);else $.default(X);return this.addArgument($),this}arguments(q){return q.trim().split(/ +/).forEach((Z)=>{this.argument(Z)}),this}addArgument(q){let Z=this.registeredArguments.slice(-1)[0];if(Z?.variadic)throw Error(`only the last argument can be variadic '${Z.name()}'`);if(q.required&&q.defaultValue!==void 0&&q.parseArg===void 0)throw Error(`a default value for a required argument is never used: '${q.name()}'`);return this.registeredArguments.push(q),this}helpCommand(q,Z){if(typeof q==="boolean"){if(this._addImplicitHelpCommand=q,q&&this._defaultCommandGroup)this._initCommandGroup(this._getHelpCommand());return this}let X=q??"help [command]",[,J,$]=X.match(/([^ ]+) *(.*)/),Q=Z??"display help for command",z=this.createCommand(J);if(z.helpOption(!1),$)z.arguments($);if(Q)z.description(Q);if(this._addImplicitHelpCommand=!0,this._helpCommand=z,q||Z)this._initCommandGroup(z);return this}addHelpCommand(q,Z){if(typeof q!=="object")return this.helpCommand(q,Z),this;return this._addImplicitHelpCommand=!0,this._helpCommand=q,this._initCommandGroup(q),this}_getHelpCommand(){if(this._addImplicitHelpCommand??(this.commands.length&&!this._actionHandler&&!this._findCommand("help"))){if(this._helpCommand===void 0)this.helpCommand(void 0,void 0);return this._helpCommand}return null}hook(q,Z){let X=["preSubcommand","preAction","postAction"];if(!X.includes(q))throw Error(`Unexpected value for event passed to hook : '${q}'.
|
|
16
|
+
Expecting one of '${X.join("', '")}'`);if(this._lifeCycleHooks[q])this._lifeCycleHooks[q].push(Z);else this._lifeCycleHooks[q]=[Z];return this}exitOverride(q){if(q)this._exitCallback=q;else this._exitCallback=(Z)=>{if(Z.code!=="commander.executeSubCommandAsync")throw Z};return this}_exit(q,Z,X){if(this._exitCallback)this._exitCallback(new lq(q,Z,X));b.exit(q)}action(q){let Z=(X)=>{let J=this.registeredArguments.length,$=X.slice(0,J);if(this._storeOptionsAsProperties)$[J]=this;else $[J]=this.opts();return $.push(this),q.apply(this,$)};return this._actionHandler=Z,this}createOption(q,Z){return new a4(q,Z)}_callParseArg(q,Z,X,J){try{return q.parseArg(Z,X)}catch($){if($.code==="commander.invalidArgument"){let Q=`${J} ${$.message}`;this.error(Q,{exitCode:$.exitCode,code:$.code})}throw $}}_registerOption(q){let Z=q.short&&this._findOption(q.short)||q.long&&this._findOption(q.long);if(Z){let X=q.long&&this._findOption(q.long)?q.long:q.short;throw Error(`Cannot add option '${q.flags}'${this._name&&` to command '${this._name}'`} due to conflicting flag '${X}'
|
|
17
|
+
- already used by option '${Z.flags}'`)}this._initOptionGroup(q),this.options.push(q)}_registerCommand(q){let Z=(J)=>{return[J.name()].concat(J.aliases())},X=Z(q).find((J)=>this._findCommand(J));if(X){let J=Z(this._findCommand(X)).join("|"),$=Z(q).join("|");throw Error(`cannot add command '${$}' as already have command '${J}'`)}this._initCommandGroup(q),this.commands.push(q)}addOption(q){this._registerOption(q);let Z=q.name(),X=q.attributeName();if(q.negate){let $=q.long.replace(/^--no-/,"--");if(!this._findOption($))this.setOptionValueWithSource(X,q.defaultValue===void 0?!0:q.defaultValue,"default")}else if(q.defaultValue!==void 0)this.setOptionValueWithSource(X,q.defaultValue,"default");let J=($,Q,z)=>{if($==null&&q.presetArg!==void 0)$=q.presetArg;let H=this.getOptionValue(X);if($!==null&&q.parseArg)$=this._callParseArg(q,$,H,Q);else if($!==null&&q.variadic)$=q._collectValue($,H);if($==null)if(q.negate)$=!1;else if(q.isBoolean()||q.optional)$=!0;else $="";this.setOptionValueWithSource(X,$,z)};if(this.on("option:"+Z,($)=>{let Q=`error: option '${q.flags}' argument '${$}' is invalid.`;J($,Q,"cli")}),q.envVar)this.on("optionEnv:"+Z,($)=>{let Q=`error: option '${q.flags}' value '${$}' from env '${q.envVar}' is invalid.`;J($,Q,"env")});return this}_optionEx(q,Z,X,J,$){if(typeof Z==="object"&&Z instanceof a4)throw Error("To add an Option object use addOption() instead of option() or requiredOption()");let Q=this.createOption(Z,X);if(Q.makeOptionMandatory(!!q.mandatory),typeof J==="function")Q.default($).argParser(J);else if(J instanceof RegExp){let z=J;J=(H,U)=>{let G=z.exec(H);return G?G[0]:U},Q.default($).argParser(J)}else Q.default(J);return this.addOption(Q)}option(q,Z,X,J){return this._optionEx({},q,Z,X,J)}requiredOption(q,Z,X,J){return this._optionEx({mandatory:!0},q,Z,X,J)}combineFlagAndOptionalValue(q=!0){return this._combineFlagAndOptionalValue=!!q,this}allowUnknownOption(q=!0){return this._allowUnknownOption=!!q,this}allowExcessArguments(q=!0){return this._allowExcessArguments=!!q,this}enablePositionalOptions(q=!0){return this._enablePositionalOptions=!!q,this}passThroughOptions(q=!0){return this._passThroughOptions=!!q,this._checkForBrokenPassThrough(),this}_checkForBrokenPassThrough(){if(this.parent&&this._passThroughOptions&&!this.parent._enablePositionalOptions)throw Error(`passThroughOptions cannot be used for '${this._name}' without turning on enablePositionalOptions for parent command(s)`)}storeOptionsAsProperties(q=!0){if(this.options.length)throw Error("call .storeOptionsAsProperties() before adding options");if(Object.keys(this._optionValues).length)throw Error("call .storeOptionsAsProperties() before setting option values");return this._storeOptionsAsProperties=!!q,this}getOptionValue(q){if(this._storeOptionsAsProperties)return this[q];return this._optionValues[q]}setOptionValue(q,Z){return this.setOptionValueWithSource(q,Z,void 0)}setOptionValueWithSource(q,Z,X){if(this._storeOptionsAsProperties)this[q]=Z;else this._optionValues[q]=Z;return this._optionValueSources[q]=X,this}getOptionValueSource(q){return this._optionValueSources[q]}getOptionValueSourceWithGlobals(q){let Z;return this._getCommandAndAncestors().forEach((X)=>{if(X.getOptionValueSource(q)!==void 0)Z=X.getOptionValueSource(q)}),Z}_prepareUserArgs(q,Z){if(q!==void 0&&!Array.isArray(q))throw Error("first parameter to parse must be array or undefined");if(Z=Z||{},q===void 0&&Z.from===void 0){if(b.versions?.electron)Z.from="electron";let J=b.execArgv??[];if(J.includes("-e")||J.includes("--eval")||J.includes("-p")||J.includes("--print"))Z.from="eval"}if(q===void 0)q=b.argv;this.rawArgs=q.slice();let X;switch(Z.from){case void 0:case"node":this._scriptPath=q[1],X=q.slice(2);break;case"electron":if(b.defaultApp)this._scriptPath=q[1],X=q.slice(2);else X=q.slice(1);break;case"user":X=q.slice(0);break;case"eval":X=q.slice(1);break;default:throw Error(`unexpected parse option { from: '${Z.from}' }`)}if(!this._name&&this._scriptPath)this.nameFromFilename(this._scriptPath);return this._name=this._name||"program",X}parse(q,Z){this._prepareForParse();let X=this._prepareUserArgs(q,Z);return this._parseCommand([],X),this}async parseAsync(q,Z){this._prepareForParse();let X=this._prepareUserArgs(q,Z);return await this._parseCommand([],X),this}_prepareForParse(){if(this._savedState===null)this.saveStateBeforeParse();else this.restoreStateBeforeParse()}saveStateBeforeParse(){this._savedState={_name:this._name,_optionValues:{...this._optionValues},_optionValueSources:{...this._optionValueSources}}}restoreStateBeforeParse(){if(this._storeOptionsAsProperties)throw Error(`Can not call parse again when storeOptionsAsProperties is true.
|
|
18
|
+
- either make a new Command for each call to parse, or stop storing options as properties`);this._name=this._savedState._name,this._scriptPath=null,this.rawArgs=[],this._optionValues={...this._savedState._optionValues},this._optionValueSources={...this._savedState._optionValueSources},this.args=[],this.processedArgs=[]}_checkForMissingExecutable(q,Z,X){if(O0.existsSync(q))return;let J=Z?`searched for local subcommand relative to directory '${Z}'`:"no directory for search for local subcommand, use .executableDir() to supply a custom directory",$=`'${q}' does not exist
|
|
19
|
+
- if '${X}' is not meant to be an executable command, remove description parameter from '.command()' and use '.description()' instead
|
|
20
|
+
- if the default executable name is not suitable, use the executableFile option to supply a custom name or path
|
|
21
|
+
- ${J}`;throw Error($)}_executeSubCommand(q,Z){Z=Z.slice();let X=!1,J=[".js",".ts",".tsx",".mjs",".cjs"];function $(G,Y){let B=n.resolve(G,Y);if(O0.existsSync(B))return B;if(J.includes(n.extname(Y)))return;let _=J.find((R)=>O0.existsSync(`${B}${R}`));if(_)return`${B}${_}`;return}this._checkForMissingMandatoryOptions(),this._checkForConflictingOptions();let Q=q._executableFile||`${this._name}-${q._name}`,z=this._executableDir||"";if(this._scriptPath){let G;try{G=O0.realpathSync(this._scriptPath)}catch{G=this._scriptPath}z=n.resolve(n.dirname(G),z)}if(z){let G=$(z,Q);if(!G&&!q._executableFile&&this._scriptPath){let Y=n.basename(this._scriptPath,n.extname(this._scriptPath));if(Y!==this._name)G=$(z,`${Y}-${q._name}`)}Q=G||Q}X=J.includes(n.extname(Q));let H;if(b.platform!=="win32")if(X)Z.unshift(Q),Z=r4(b.execArgv).concat(Z),H=dq.spawn(b.argv[0],Z,{stdio:"inherit"});else H=dq.spawn(Q,Z,{stdio:"inherit"});else this._checkForMissingExecutable(Q,z,q._name),Z.unshift(Q),Z=r4(b.execArgv).concat(Z),H=dq.spawn(b.execPath,Z,{stdio:"inherit"});if(!H.killed)["SIGUSR1","SIGUSR2","SIGTERM","SIGINT","SIGHUP"].forEach((Y)=>{b.on(Y,()=>{if(H.killed===!1&&H.exitCode===null)H.kill(Y)})});let U=this._exitCallback;H.on("close",(G)=>{if(G=G??1,!U)b.exit(G);else U(new lq(G,"commander.executeSubCommandAsync","(close)"))}),H.on("error",(G)=>{if(G.code==="ENOENT")this._checkForMissingExecutable(Q,z,q._name);else if(G.code==="EACCES")throw Error(`'${Q}' not executable`);if(!U)b.exit(1);else{let Y=new lq(1,"commander.executeSubCommandAsync","(error)");Y.nestedError=G,U(Y)}}),this.runningCommand=H}_dispatchSubcommand(q,Z,X){let J=this._findCommand(q);if(!J)this.help({error:!0});J._prepareForParse();let $;return $=this._chainOrCallSubCommandHook($,J,"preSubcommand"),$=this._chainOrCall($,()=>{if(J._executableHandler)this._executeSubCommand(J,Z.concat(X));else return J._parseCommand(Z,X)}),$}_dispatchHelpCommand(q){if(!q)this.help();let Z=this._findCommand(q);if(Z&&!Z._executableHandler)Z.help();return this._dispatchSubcommand(q,[],[this._getHelpOption()?.long??this._getHelpOption()?.short??"--help"])}_checkNumberOfArguments(){if(this.registeredArguments.forEach((q,Z)=>{if(q.required&&this.args[Z]==null)this.missingArgument(q.name())}),this.registeredArguments.length>0&&this.registeredArguments[this.registeredArguments.length-1].variadic)return;if(this.args.length>this.registeredArguments.length)this._excessArguments(this.args)}_processArguments(){let q=(X,J,$)=>{let Q=J;if(J!==null&&X.parseArg){let z=`error: command-argument value '${J}' is invalid for argument '${X.name()}'.`;Q=this._callParseArg(X,J,$,z)}return Q};this._checkNumberOfArguments();let Z=[];this.registeredArguments.forEach((X,J)=>{let $=X.defaultValue;if(X.variadic){if(J<this.args.length){if($=this.args.slice(J),X.parseArg)$=$.reduce((Q,z)=>{return q(X,z,Q)},X.defaultValue)}else if($===void 0)$=[]}else if(J<this.args.length){if($=this.args[J],X.parseArg)$=q(X,$,X.defaultValue)}Z[J]=$}),this.processedArgs=Z}_chainOrCall(q,Z){if(q?.then&&typeof q.then==="function")return q.then(()=>Z());return Z()}_chainOrCallHooks(q,Z){let X=q,J=[];if(this._getCommandAndAncestors().reverse().filter(($)=>$._lifeCycleHooks[Z]!==void 0).forEach(($)=>{$._lifeCycleHooks[Z].forEach((Q)=>{J.push({hookedCommand:$,callback:Q})})}),Z==="postAction")J.reverse();return J.forEach(($)=>{X=this._chainOrCall(X,()=>{return $.callback($.hookedCommand,this)})}),X}_chainOrCallSubCommandHook(q,Z,X){let J=q;if(this._lifeCycleHooks[X]!==void 0)this._lifeCycleHooks[X].forEach(($)=>{J=this._chainOrCall(J,()=>{return $(this,Z)})});return J}_parseCommand(q,Z){let X=this.parseOptions(Z);if(this._parseOptionsEnv(),this._parseOptionsImplied(),q=q.concat(X.operands),Z=X.unknown,this.args=q.concat(Z),q&&this._findCommand(q[0]))return this._dispatchSubcommand(q[0],q.slice(1),Z);if(this._getHelpCommand()&&q[0]===this._getHelpCommand().name())return this._dispatchHelpCommand(q[1]);if(this._defaultCommandName)return this._outputHelpIfRequested(Z),this._dispatchSubcommand(this._defaultCommandName,q,Z);if(this.commands.length&&this.args.length===0&&!this._actionHandler&&!this._defaultCommandName)this.help({error:!0});this._outputHelpIfRequested(X.unknown),this._checkForMissingMandatoryOptions(),this._checkForConflictingOptions();let J=()=>{if(X.unknown.length>0)this.unknownOption(X.unknown[0])},$=`command:${this.name()}`;if(this._actionHandler){J(),this._processArguments();let Q;if(Q=this._chainOrCallHooks(Q,"preAction"),Q=this._chainOrCall(Q,()=>this._actionHandler(this.processedArgs)),this.parent)Q=this._chainOrCall(Q,()=>{this.parent.emit($,q,Z)});return Q=this._chainOrCallHooks(Q,"postAction"),Q}if(this.parent?.listenerCount($))J(),this._processArguments(),this.parent.emit($,q,Z);else if(q.length){if(this._findCommand("*"))return this._dispatchSubcommand("*",q,Z);if(this.listenerCount("command:*"))this.emit("command:*",q,Z);else if(this.commands.length)this.unknownCommand();else J(),this._processArguments()}else if(this.commands.length)J(),this.help({error:!0});else J(),this._processArguments()}_findCommand(q){if(!q)return;return this.commands.find((Z)=>Z._name===q||Z._aliases.includes(q))}_findOption(q){return this.options.find((Z)=>Z.is(q))}_checkForMissingMandatoryOptions(){this._getCommandAndAncestors().forEach((q)=>{q.options.forEach((Z)=>{if(Z.mandatory&&q.getOptionValue(Z.attributeName())===void 0)q.missingMandatoryOptionValue(Z)})})}_checkForConflictingLocalOptions(){let q=this.options.filter((X)=>{let J=X.attributeName();if(this.getOptionValue(J)===void 0)return!1;return this.getOptionValueSource(J)!=="default"});q.filter((X)=>X.conflictsWith.length>0).forEach((X)=>{let J=q.find(($)=>X.conflictsWith.includes($.attributeName()));if(J)this._conflictingOption(X,J)})}_checkForConflictingOptions(){this._getCommandAndAncestors().forEach((q)=>{q._checkForConflictingLocalOptions()})}parseOptions(q){let Z=[],X=[],J=Z;function $(G){return G.length>1&&G[0]==="-"}let Q=(G)=>{if(!/^-(\d+|\d*\.\d+)(e[+-]?\d+)?$/.test(G))return!1;return!this._getCommandAndAncestors().some((Y)=>Y.options.map((B)=>B.short).some((B)=>/^-\d$/.test(B)))},z=null,H=null,U=0;while(U<q.length||H){let G=H??q[U++];if(H=null,G==="--"){if(J===X)J.push(G);J.push(...q.slice(U));break}if(z&&(!$(G)||Q(G))){this.emit(`option:${z.name()}`,G);continue}if(z=null,$(G)){let Y=this._findOption(G);if(Y){if(Y.required){let B=q[U++];if(B===void 0)this.optionMissingArgument(Y);this.emit(`option:${Y.name()}`,B)}else if(Y.optional){let B=null;if(U<q.length&&(!$(q[U])||Q(q[U])))B=q[U++];this.emit(`option:${Y.name()}`,B)}else this.emit(`option:${Y.name()}`);z=Y.variadic?Y:null;continue}}if(G.length>2&&G[0]==="-"&&G[1]!=="-"){let Y=this._findOption(`-${G[1]}`);if(Y){if(Y.required||Y.optional&&this._combineFlagAndOptionalValue)this.emit(`option:${Y.name()}`,G.slice(2));else this.emit(`option:${Y.name()}`),H=`-${G.slice(2)}`;continue}}if(/^--[^=]+=/.test(G)){let Y=G.indexOf("="),B=this._findOption(G.slice(0,Y));if(B&&(B.required||B.optional)){this.emit(`option:${B.name()}`,G.slice(Y+1));continue}}if(J===Z&&$(G)&&!(this.commands.length===0&&Q(G)))J=X;if((this._enablePositionalOptions||this._passThroughOptions)&&Z.length===0&&X.length===0){if(this._findCommand(G)){Z.push(G),X.push(...q.slice(U));break}else if(this._getHelpCommand()&&G===this._getHelpCommand().name()){Z.push(G,...q.slice(U));break}else if(this._defaultCommandName){X.push(G,...q.slice(U));break}}if(this._passThroughOptions){J.push(G,...q.slice(U));break}J.push(G)}return{operands:Z,unknown:X}}opts(){if(this._storeOptionsAsProperties){let q={},Z=this.options.length;for(let X=0;X<Z;X++){let J=this.options[X].attributeName();q[J]=J===this._versionOptionName?this._version:this[J]}return q}return this._optionValues}optsWithGlobals(){return this._getCommandAndAncestors().reduce((q,Z)=>Object.assign(q,Z.opts()),{})}error(q,Z){if(this._outputConfiguration.outputError(`${q}
|
|
22
|
+
`,this._outputConfiguration.writeErr),typeof this._showHelpAfterError==="string")this._outputConfiguration.writeErr(`${this._showHelpAfterError}
|
|
23
|
+
`);else if(this._showHelpAfterError)this._outputConfiguration.writeErr(`
|
|
24
|
+
`),this.outputHelp({error:!0});let X=Z||{},J=X.exitCode||1,$=X.code||"commander.error";this._exit(J,$,q)}_parseOptionsEnv(){this.options.forEach((q)=>{if(q.envVar&&q.envVar in b.env){let Z=q.attributeName();if(this.getOptionValue(Z)===void 0||["default","config","env"].includes(this.getOptionValueSource(Z)))if(q.required||q.optional)this.emit(`optionEnv:${q.name()}`,b.env[q.envVar]);else this.emit(`optionEnv:${q.name()}`)}})}_parseOptionsImplied(){let q=new n6(this.options),Z=(X)=>{return this.getOptionValue(X)!==void 0&&!["default","implied"].includes(this.getOptionValueSource(X))};this.options.filter((X)=>X.implied!==void 0&&Z(X.attributeName())&&q.valueFromOption(this.getOptionValue(X.attributeName()),X)).forEach((X)=>{Object.keys(X.implied).filter((J)=>!Z(J)).forEach((J)=>{this.setOptionValueWithSource(J,X.implied[J],"implied")})})}missingArgument(q){let Z=`error: missing required argument '${q}'`;this.error(Z,{code:"commander.missingArgument"})}optionMissingArgument(q){let Z=`error: option '${q.flags}' argument missing`;this.error(Z,{code:"commander.optionMissingArgument"})}missingMandatoryOptionValue(q){let Z=`error: required option '${q.flags}' not specified`;this.error(Z,{code:"commander.missingMandatoryOptionValue"})}_conflictingOption(q,Z){let X=(Q)=>{let z=Q.attributeName(),H=this.getOptionValue(z),U=this.options.find((Y)=>Y.negate&&z===Y.attributeName()),G=this.options.find((Y)=>!Y.negate&&z===Y.attributeName());if(U&&(U.presetArg===void 0&&H===!1||U.presetArg!==void 0&&H===U.presetArg))return U;return G||Q},J=(Q)=>{let z=X(Q),H=z.attributeName();if(this.getOptionValueSource(H)==="env")return`environment variable '${z.envVar}'`;return`option '${z.flags}'`},$=`error: ${J(q)} cannot be used with ${J(Z)}`;this.error($,{code:"commander.conflictingOption"})}unknownOption(q){if(this._allowUnknownOption)return;let Z="";if(q.startsWith("--")&&this._showSuggestionAfterError){let J=[],$=this;do{let Q=$.createHelp().visibleOptions($).filter((z)=>z.long).map((z)=>z.long);J=J.concat(Q),$=$.parent}while($&&!$._enablePositionalOptions);Z=s4(q,J)}let X=`error: unknown option '${q}'${Z}`;this.error(X,{code:"commander.unknownOption"})}_excessArguments(q){if(this._allowExcessArguments)return;let Z=this.registeredArguments.length,X=Z===1?"":"s",$=`error: too many arguments${this.parent?` for '${this.name()}'`:""}. Expected ${Z} argument${X} but got ${q.length}.`;this.error($,{code:"commander.excessArguments"})}unknownCommand(){let q=this.args[0],Z="";if(this._showSuggestionAfterError){let J=[];this.createHelp().visibleCommands(this).forEach(($)=>{if(J.push($.name()),$.alias())J.push($.alias())}),Z=s4(q,J)}let X=`error: unknown command '${q}'${Z}`;this.error(X,{code:"commander.unknownCommand"})}version(q,Z,X){if(q===void 0)return this._version;this._version=q,Z=Z||"-V, --version",X=X||"output the version number";let J=this.createOption(Z,X);return this._versionOptionName=J.attributeName(),this._registerOption(J),this.on("option:"+J.name(),()=>{this._outputConfiguration.writeOut(`${q}
|
|
25
|
+
`),this._exit(0,"commander.version",q)}),this}description(q,Z){if(q===void 0&&Z===void 0)return this._description;if(this._description=q,Z)this._argsDescription=Z;return this}summary(q){if(q===void 0)return this._summary;return this._summary=q,this}alias(q){if(q===void 0)return this._aliases[0];let Z=this;if(this.commands.length!==0&&this.commands[this.commands.length-1]._executableHandler)Z=this.commands[this.commands.length-1];if(q===Z._name)throw Error("Command alias can't be the same as its name");let X=this.parent?._findCommand(q);if(X){let J=[X.name()].concat(X.aliases()).join("|");throw Error(`cannot add alias '${q}' to command '${this.name()}' as already have command '${J}'`)}return Z._aliases.push(q),this}aliases(q){if(q===void 0)return this._aliases;return q.forEach((Z)=>this.alias(Z)),this}usage(q){if(q===void 0){if(this._usage)return this._usage;let Z=this.registeredArguments.map((X)=>{return a6(X)});return[].concat(this.options.length||this._helpOption!==null?"[options]":[],this.commands.length?"[command]":[],this.registeredArguments.length?Z:[]).join(" ")}return this._usage=q,this}name(q){if(q===void 0)return this._name;return this._name=q,this}helpGroup(q){if(q===void 0)return this._helpGroupHeading??"";return this._helpGroupHeading=q,this}commandsGroup(q){if(q===void 0)return this._defaultCommandGroup??"";return this._defaultCommandGroup=q,this}optionsGroup(q){if(q===void 0)return this._defaultOptionGroup??"";return this._defaultOptionGroup=q,this}_initOptionGroup(q){if(this._defaultOptionGroup&&!q.helpGroupHeading)q.helpGroup(this._defaultOptionGroup)}_initCommandGroup(q){if(this._defaultCommandGroup&&!q.helpGroup())q.helpGroup(this._defaultCommandGroup)}nameFromFilename(q){return this._name=n.basename(q,n.extname(q)),this}executableDir(q){if(q===void 0)return this._executableDir;return this._executableDir=q,this}helpInformation(q){let Z=this.createHelp(),X=this._getOutputContext(q);Z.prepareContext({error:X.error,helpWidth:X.helpWidth,outputHasColors:X.hasColors});let J=Z.formatHelp(this,Z);if(X.hasColors)return J;return this._outputConfiguration.stripColor(J)}_getOutputContext(q){q=q||{};let Z=!!q.error,X,J,$;if(Z)X=(z)=>this._outputConfiguration.writeErr(z),J=this._outputConfiguration.getErrHasColors(),$=this._outputConfiguration.getErrHelpWidth();else X=(z)=>this._outputConfiguration.writeOut(z),J=this._outputConfiguration.getOutHasColors(),$=this._outputConfiguration.getOutHelpWidth();return{error:Z,write:(z)=>{if(!J)z=this._outputConfiguration.stripColor(z);return X(z)},hasColors:J,helpWidth:$}}outputHelp(q){let Z;if(typeof q==="function")Z=q,q=void 0;let X=this._getOutputContext(q),J={error:X.error,write:X.write,command:this};this._getCommandAndAncestors().reverse().forEach((Q)=>Q.emit("beforeAllHelp",J)),this.emit("beforeHelp",J);let $=this.helpInformation({error:X.error});if(Z){if($=Z($),typeof $!=="string"&&!Buffer.isBuffer($))throw Error("outputHelp callback must return a string or a Buffer")}if(X.write($),this._getHelpOption()?.long)this.emit(this._getHelpOption().long);this.emit("afterHelp",J),this._getCommandAndAncestors().forEach((Q)=>Q.emit("afterAllHelp",J))}helpOption(q,Z){if(typeof q==="boolean"){if(q){if(this._helpOption===null)this._helpOption=void 0;if(this._defaultOptionGroup)this._initOptionGroup(this._getHelpOption())}else this._helpOption=null;return this}if(this._helpOption=this.createOption(q??"-h, --help",Z??"display help for command"),q||Z)this._initOptionGroup(this._helpOption);return this}_getHelpOption(){if(this._helpOption===void 0)this.helpOption(void 0,void 0);return this._helpOption}addHelpOption(q){return this._helpOption=q,this._initOptionGroup(q),this}help(q){this.outputHelp(q);let Z=Number(b.exitCode??0);if(Z===0&&q&&typeof q!=="function"&&q.error)Z=1;this._exit(Z,"commander.help","(outputHelp)")}addHelpText(q,Z){let X=["beforeAll","before","after","afterAll"];if(!X.includes(q))throw Error(`Unexpected value for position to addHelpText.
|
|
26
|
+
Expecting one of '${X.join("', '")}'`);let J=`${q}Help`;return this.on(J,($)=>{let Q;if(typeof Z==="function")Q=Z({error:$.error,command:$.command});else Q=Z;if(Q)$.write(`${Q}
|
|
27
|
+
`)}),this}_outputHelpIfRequested(q){let Z=this._getHelpOption();if(Z&&q.find((J)=>Z.is(J)))this.outputHelp(),this._exit(0,"commander.helpDisplayed","(outputHelp)")}}function r4(q){return q.map((Z)=>{if(!Z.startsWith("--inspect"))return Z;let X,J="127.0.0.1",$="9229",Q;if((Q=Z.match(/^(--inspect(-brk)?)$/))!==null)X=Q[1];else if((Q=Z.match(/^(--inspect(-brk|-port)?)=([^:]+)$/))!==null)if(X=Q[1],/^\d+$/.test(Q[3]))$=Q[3];else J=Q[3];else if((Q=Z.match(/^(--inspect(-brk|-port)?)=([^:]+):(\d+)$/))!==null)X=Q[1],J=Q[3],$=Q[4];if(X&&$!=="0")return`${X}=${J}:${parseInt($)+1}`;return Z})}function pq(){if(b.env.NO_COLOR||b.env.FORCE_COLOR==="0"||b.env.FORCE_COLOR==="false")return!1;if(b.env.FORCE_COLOR||b.env.CLICOLOR_FORCE!==void 0)return!0;return}o6.Command=cq;o6.useColor=pq});var q2=D((X7)=>{var{Argument:o4}=F0(),{Command:iq}=n4(),{CommanderError:q7,InvalidArgumentError:t4}=u1(),{Help:Z7}=uq(),{Option:e4}=mq();X7.program=new iq;X7.createCommand=(q)=>new iq(q);X7.createOption=(q,Z)=>new e4(q,Z);X7.createArgument=(q,Z)=>new o4(q,Z);X7.Command=iq;X7.Option=e4;X7.Argument=o4;X7.Help=Z7;X7.CommanderError=q7;X7.InvalidArgumentError=t4;X7.InvalidOptionArgumentError=t4});var S=D((f7)=>{var rq=Symbol.for("yaml.alias"),G2=Symbol.for("yaml.document"),w0=Symbol.for("yaml.map"),Y2=Symbol.for("yaml.pair"),nq=Symbol.for("yaml.scalar"),b0=Symbol.for("yaml.seq"),t=Symbol.for("yaml.node.type"),A7=(q)=>!!q&&typeof q==="object"&&q[t]===rq,S7=(q)=>!!q&&typeof q==="object"&&q[t]===G2,w7=(q)=>!!q&&typeof q==="object"&&q[t]===w0,b7=(q)=>!!q&&typeof q==="object"&&q[t]===Y2,B2=(q)=>!!q&&typeof q==="object"&&q[t]===nq,j7=(q)=>!!q&&typeof q==="object"&&q[t]===b0;function T2(q){if(q&&typeof q==="object")switch(q[t]){case w0:case b0:return!0}return!1}function E7(q){if(q&&typeof q==="object")switch(q[t]){case rq:case w0:case nq:case b0:return!0}return!1}var C7=(q)=>(B2(q)||T2(q))&&!!q.anchor;f7.ALIAS=rq;f7.DOC=G2;f7.MAP=w0;f7.NODE_TYPE=t;f7.PAIR=Y2;f7.SCALAR=nq;f7.SEQ=b0;f7.hasAnchor=C7;f7.isAlias=A7;f7.isCollection=T2;f7.isDocument=S7;f7.isMap=w7;f7.isNode=E7;f7.isPair=b7;f7.isScalar=B2;f7.isSeq=j7});var m1=D((n7)=>{var k=S(),v=Symbol("break visit"),_2=Symbol("skip children"),a=Symbol("remove node");function j0(q,Z){let X=L2(Z);if(k.isDocument(q)){if(S1(null,q.contents,X,Object.freeze([q]))===a)q.contents=null}else S1(null,q,X,Object.freeze([]))}j0.BREAK=v;j0.SKIP=_2;j0.REMOVE=a;function S1(q,Z,X,J){let $=W2(q,Z,X,J);if(k.isNode($)||k.isPair($))return R2(q,J,$),S1(q,$,X,J);if(typeof $!=="symbol"){if(k.isCollection(Z)){J=Object.freeze(J.concat(Z));for(let Q=0;Q<Z.items.length;++Q){let z=S1(Q,Z.items[Q],X,J);if(typeof z==="number")Q=z-1;else if(z===v)return v;else if(z===a)Z.items.splice(Q,1),Q-=1}}else if(k.isPair(Z)){J=Object.freeze(J.concat(Z));let Q=S1("key",Z.key,X,J);if(Q===v)return v;else if(Q===a)Z.key=null;let z=S1("value",Z.value,X,J);if(z===v)return v;else if(z===a)Z.value=null}}return $}async function E0(q,Z){let X=L2(Z);if(k.isDocument(q)){if(await w1(null,q.contents,X,Object.freeze([q]))===a)q.contents=null}else await w1(null,q,X,Object.freeze([]))}E0.BREAK=v;E0.SKIP=_2;E0.REMOVE=a;async function w1(q,Z,X,J){let $=await W2(q,Z,X,J);if(k.isNode($)||k.isPair($))return R2(q,J,$),w1(q,$,X,J);if(typeof $!=="symbol"){if(k.isCollection(Z)){J=Object.freeze(J.concat(Z));for(let Q=0;Q<Z.items.length;++Q){let z=await w1(Q,Z.items[Q],X,J);if(typeof z==="number")Q=z-1;else if(z===v)return v;else if(z===a)Z.items.splice(Q,1),Q-=1}}else if(k.isPair(Z)){J=Object.freeze(J.concat(Z));let Q=await w1("key",Z.key,X,J);if(Q===v)return v;else if(Q===a)Z.key=null;let z=await w1("value",Z.value,X,J);if(z===v)return v;else if(z===a)Z.value=null}}return $}function L2(q){if(typeof q==="object"&&(q.Collection||q.Node||q.Value))return Object.assign({Alias:q.Node,Map:q.Node,Scalar:q.Node,Seq:q.Node},q.Value&&{Map:q.Value,Scalar:q.Value,Seq:q.Value},q.Collection&&{Map:q.Collection,Seq:q.Collection},q);return q}function W2(q,Z,X,J){if(typeof X==="function")return X(q,Z,J);if(k.isMap(Z))return X.Map?.(q,Z,J);if(k.isSeq(Z))return X.Seq?.(q,Z,J);if(k.isPair(Z))return X.Pair?.(q,Z,J);if(k.isScalar(Z))return X.Scalar?.(q,Z,J);if(k.isAlias(Z))return X.Alias?.(q,Z,J);return}function R2(q,Z,X){let J=Z[Z.length-1];if(k.isCollection(J))J.items[q]=X;else if(k.isPair(J))if(q==="key")J.key=X;else J.value=X;else if(k.isDocument(J))J.contents=X;else{let $=k.isAlias(J)?"alias":"scalar";throw Error(`Cannot replace node with ${$} parent`)}}n7.visit=j0;n7.visitAsync=E0});var oq=D((X8)=>{var V2=S(),e7=m1(),q8={"!":"%21",",":"%2C","[":"%5B","]":"%5D","{":"%7B","}":"%7D"},Z8=(q)=>q.replace(/[!,[\]{}]/g,(Z)=>q8[Z]);class g{constructor(q,Z){this.docStart=null,this.docEnd=!1,this.yaml=Object.assign({},g.defaultYaml,q),this.tags=Object.assign({},g.defaultTags,Z)}clone(){let q=new g(this.yaml,this.tags);return q.docStart=this.docStart,q}atDocument(){let q=new g(this.yaml,this.tags);switch(this.yaml.version){case"1.1":this.atNextDocument=!0;break;case"1.2":this.atNextDocument=!1,this.yaml={explicit:g.defaultYaml.explicit,version:"1.2"},this.tags=Object.assign({},g.defaultTags);break}return q}add(q,Z){if(this.atNextDocument)this.yaml={explicit:g.defaultYaml.explicit,version:"1.1"},this.tags=Object.assign({},g.defaultTags),this.atNextDocument=!1;let X=q.trim().split(/[ \t]+/),J=X.shift();switch(J){case"%TAG":{if(X.length!==2){if(Z(0,"%TAG directive should contain exactly two parts"),X.length<2)return!1}let[$,Q]=X;return this.tags[$]=Q,!0}case"%YAML":{if(this.yaml.explicit=!0,X.length!==1)return Z(0,"%YAML directive should contain exactly one part"),!1;let[$]=X;if($==="1.1"||$==="1.2")return this.yaml.version=$,!0;else{let Q=/^\d+\.\d+$/.test($);return Z(6,`Unsupported YAML version ${$}`,Q),!1}}default:return Z(0,`Unknown directive ${J}`,!0),!1}}tagName(q,Z){if(q==="!")return"!";if(q[0]!=="!")return Z(`Not a valid tag: ${q}`),null;if(q[1]==="<"){let Q=q.slice(2,-1);if(Q==="!"||Q==="!!")return Z(`Verbatim tags aren't resolved, so ${q} is invalid.`),null;if(q[q.length-1]!==">")Z("Verbatim tags must end with a >");return Q}let[,X,J]=q.match(/^(.*!)([^!]*)$/s);if(!J)Z(`The ${q} tag has no suffix`);let $=this.tags[X];if($)try{return $+decodeURIComponent(J)}catch(Q){return Z(String(Q)),null}if(X==="!")return q;return Z(`Could not resolve tag: ${q}`),null}tagString(q){for(let[Z,X]of Object.entries(this.tags))if(q.startsWith(X))return Z+Z8(q.substring(X.length));return q[0]==="!"?q:`!<${q}>`}toString(q){let Z=this.yaml.explicit?[`%YAML ${this.yaml.version||"1.2"}`]:[],X=Object.entries(this.tags),J;if(q&&X.length>0&&V2.isNode(q.contents)){let $={};e7.visit(q.contents,(Q,z)=>{if(V2.isNode(z)&&z.tag)$[z.tag]=!0}),J=Object.keys($)}else J=[];for(let[$,Q]of X){if($==="!!"&&Q==="tag:yaml.org,2002:")continue;if(!q||J.some((z)=>z.startsWith(Q)))Z.push(`%TAG ${$} ${Q}`)}return Z.join(`
|
|
28
|
+
`)}}g.defaultYaml={explicit:!1,version:"1.2"};g.defaultTags={"!!":"tag:yaml.org,2002:"};X8.Directives=g});var C0=D((H8)=>{var I2=S(),$8=m1();function Q8(q){if(/[\x00-\x19\s,[\]{}]/.test(q)){let X=`Anchor must not contain whitespace or control characters: ${JSON.stringify(q)}`;throw Error(X)}return!0}function M2(q){let Z=new Set;return $8.visit(q,{Value(X,J){if(J.anchor)Z.add(J.anchor)}}),Z}function K2(q,Z){for(let X=1;;++X){let J=`${q}${X}`;if(!Z.has(J))return J}}function z8(q,Z){let X=[],J=new Map,$=null;return{onAnchor:(Q)=>{X.push(Q),$??($=M2(q));let z=K2(Z,$);return $.add(z),z},setAnchors:()=>{for(let Q of X){let z=J.get(Q);if(typeof z==="object"&&z.anchor&&(I2.isScalar(z.node)||I2.isCollection(z.node)))z.node.anchor=z.anchor;else{let H=Error("Failed to resolve repeated object (this should not happen)");throw H.source=Q,H}}},sourceObjects:J}}H8.anchorIsValid=Q8;H8.anchorNames=M2;H8.createNodeAnchors=z8;H8.findNewAnchor=K2});var tq=D((T8)=>{function d1(q,Z,X,J){if(J&&typeof J==="object")if(Array.isArray(J))for(let $=0,Q=J.length;$<Q;++$){let z=J[$],H=d1(q,J,String($),z);if(H===void 0)delete J[$];else if(H!==z)J[$]=H}else if(J instanceof Map)for(let $ of Array.from(J.keys())){let Q=J.get($),z=d1(q,J,$,Q);if(z===void 0)J.delete($);else if(z!==Q)J.set($,z)}else if(J instanceof Set)for(let $ of Array.from(J)){let Q=d1(q,J,$,$);if(Q===void 0)J.delete($);else if(Q!==$)J.delete($),J.add(Q)}else for(let[$,Q]of Object.entries(J)){let z=d1(q,J,$,Q);if(z===void 0)delete J[$];else if(z!==Q)J[$]=z}return q.call(Z,X,J)}T8.applyReviver=d1});var Z1=D((W8)=>{var L8=S();function P2(q,Z,X){if(Array.isArray(q))return q.map((J,$)=>P2(J,String($),X));if(q&&typeof q.toJSON==="function"){if(!X||!L8.hasAnchor(q))return q.toJSON(Z,X);let J={aliasCount:0,count:1,res:void 0};X.anchors.set(q,J),X.onCreate=(Q)=>{J.res=Q,delete X.onCreate};let $=q.toJSON(Z,X);if(X.onCreate)X.onCreate($);return $}if(typeof q==="bigint"&&!X?.keep)return Number(q);return q}W8.toJS=P2});var f0=D((M8)=>{var V8=tq(),D2=S(),I8=Z1();class F2{constructor(q){Object.defineProperty(this,D2.NODE_TYPE,{value:q})}clone(){let q=Object.create(Object.getPrototypeOf(this),Object.getOwnPropertyDescriptors(this));if(this.range)q.range=this.range.slice();return q}toJS(q,{mapAsMap:Z,maxAliasCount:X,onAnchor:J,reviver:$}={}){if(!D2.isDocument(q))throw TypeError("A document argument is required");let Q={anchors:new Map,doc:q,keep:!0,mapAsMap:Z===!0,mapKeyWarned:!1,maxAliasCount:typeof X==="number"?X:100},z=I8.toJS(this,"",Q);if(typeof J==="function")for(let{count:H,res:U}of Q.anchors.values())J(U,H);return typeof $==="function"?V8.applyReviver($,{"":z},"",z):z}}M8.NodeBase=F2});var l1=D((N8)=>{var P8=C0(),D8=m1(),b1=S(),F8=f0(),O8=Z1();class O2 extends F8.NodeBase{constructor(q){super(b1.ALIAS);this.source=q,Object.defineProperty(this,"tag",{set(){throw Error("Alias nodes cannot have tags")}})}resolve(q,Z){let X;if(Z?.aliasResolveCache)X=Z.aliasResolveCache;else if(X=[],D8.visit(q,{Node:($,Q)=>{if(b1.isAlias(Q)||b1.hasAnchor(Q))X.push(Q)}}),Z)Z.aliasResolveCache=X;let J=void 0;for(let $ of X){if($===this)break;if($.anchor===this.source)J=$}return J}toJSON(q,Z){if(!Z)return{source:this.source};let{anchors:X,doc:J,maxAliasCount:$}=Z,Q=this.resolve(J,Z);if(!Q){let H=`Unresolved alias (the anchor must be set before the alias): ${this.source}`;throw ReferenceError(H)}let z=X.get(Q);if(!z)O8.toJS(Q,null,Z),z=X.get(Q);if(z?.res===void 0)throw ReferenceError("This should not happen: Alias anchor was not resolved?");if($>=0){if(z.count+=1,z.aliasCount===0)z.aliasCount=y0(J,Q,X);if(z.count*z.aliasCount>$)throw ReferenceError("Excessive alias count indicates a resource exhaustion attack")}return z.res}toString(q,Z,X){let J=`*${this.source}`;if(q){if(P8.anchorIsValid(this.source),q.options.verifyAliasOrder&&!q.anchors.has(this.source)){let $=`Unresolved alias (the anchor must be set before the alias): ${this.source}`;throw Error($)}if(q.implicitKey)return`${J} `}return J}}function y0(q,Z,X){if(b1.isAlias(Z)){let J=Z.resolve(q),$=X&&J&&X.get(J);return $?$.count*$.aliasCount:0}else if(b1.isCollection(Z)){let J=0;for(let $ of Z.items){let Q=y0(q,$,X);if(Q>J)J=Q}return J}else if(b1.isPair(Z)){let J=y0(q,Z.key,X),$=y0(q,Z.value,X);return Math.max(J,$)}return 1}N8.Alias=O2});var C=D((E8)=>{var S8=S(),w8=f0(),b8=Z1(),j8=(q)=>!q||typeof q!=="function"&&typeof q!=="object";class R1 extends w8.NodeBase{constructor(q){super(S8.SCALAR);this.value=q}toJSON(q,Z){return Z?.keep?this.value:b8.toJS(this.value,q,Z)}toString(){return String(this.value)}}R1.BLOCK_FOLDED="BLOCK_FOLDED";R1.BLOCK_LITERAL="BLOCK_LITERAL";R1.PLAIN="PLAIN";R1.QUOTE_DOUBLE="QUOTE_DOUBLE";R1.QUOTE_SINGLE="QUOTE_SINGLE";E8.Scalar=R1;E8.isScalarValue=j8});var p1=D((h8)=>{var y8=l1(),V1=S(),N2=C(),x8="tag:yaml.org,2002:";function k8(q,Z,X){if(Z){let J=X.filter((Q)=>Q.tag===Z),$=J.find((Q)=>!Q.format)??J[0];if(!$)throw Error(`Tag ${Z} not found`);return $}return X.find((J)=>J.identify?.(q)&&!J.format)}function v8(q,Z,X){if(V1.isDocument(q))q=q.contents;if(V1.isNode(q))return q;if(V1.isPair(q)){let B=X.schema[V1.MAP].createNode?.(X.schema,null,X);return B.items.push(q),B}if(q instanceof String||q instanceof Number||q instanceof Boolean||typeof BigInt<"u"&&q instanceof BigInt)q=q.valueOf();let{aliasDuplicateObjects:J,onAnchor:$,onTagObj:Q,schema:z,sourceObjects:H}=X,U=void 0;if(J&&q&&typeof q==="object")if(U=H.get(q),U)return U.anchor??(U.anchor=$(q)),new y8.Alias(U.anchor);else U={anchor:null,node:null},H.set(q,U);if(Z?.startsWith("!!"))Z=x8+Z.slice(2);let G=k8(q,Z,z.tags);if(!G){if(q&&typeof q.toJSON==="function")q=q.toJSON();if(!q||typeof q!=="object"){let B=new N2.Scalar(q);if(U)U.node=B;return B}G=q instanceof Map?z[V1.MAP]:(Symbol.iterator in Object(q))?z[V1.SEQ]:z[V1.MAP]}if(Q)Q(G),delete X.onTagObj;let Y=G?.createNode?G.createNode(X.schema,q,X):typeof G?.nodeClass?.from==="function"?G.nodeClass.from(X.schema,q,X):new N2.Scalar(q);if(Z)Y.tag=Z;else if(!G.default)Y.tag=G.tag;if(U)U.node=Y;return Y}h8.createNode=v8});var x0=D((d8)=>{var u8=p1(),s=S(),m8=f0();function eq(q,Z,X){let J=X;for(let $=Z.length-1;$>=0;--$){let Q=Z[$];if(typeof Q==="number"&&Number.isInteger(Q)&&Q>=0){let z=[];z[Q]=J,J=z}else J=new Map([[Q,J]])}return u8.createNode(J,void 0,{aliasDuplicateObjects:!1,keepUndefined:!1,onAnchor:()=>{throw Error("This should not happen, please report a bug.")},schema:q,sourceObjects:new Map})}var A2=(q)=>q==null||typeof q==="object"&&!!q[Symbol.iterator]().next().done;class S2 extends m8.NodeBase{constructor(q,Z){super(q);Object.defineProperty(this,"schema",{value:Z,configurable:!0,enumerable:!1,writable:!0})}clone(q){let Z=Object.create(Object.getPrototypeOf(this),Object.getOwnPropertyDescriptors(this));if(q)Z.schema=q;if(Z.items=Z.items.map((X)=>s.isNode(X)||s.isPair(X)?X.clone(q):X),this.range)Z.range=this.range.slice();return Z}addIn(q,Z){if(A2(q))this.add(Z);else{let[X,...J]=q,$=this.get(X,!0);if(s.isCollection($))$.addIn(J,Z);else if($===void 0&&this.schema)this.set(X,eq(this.schema,J,Z));else throw Error(`Expected YAML collection at ${X}. Remaining path: ${J}`)}}deleteIn(q){let[Z,...X]=q;if(X.length===0)return this.delete(Z);let J=this.get(Z,!0);if(s.isCollection(J))return J.deleteIn(X);else throw Error(`Expected YAML collection at ${Z}. Remaining path: ${X}`)}getIn(q,Z){let[X,...J]=q,$=this.get(X,!0);if(J.length===0)return!Z&&s.isScalar($)?$.value:$;else return s.isCollection($)?$.getIn(J,Z):void 0}hasAllNullValues(q){return this.items.every((Z)=>{if(!s.isPair(Z))return!1;let X=Z.value;return X==null||q&&s.isScalar(X)&&X.value==null&&!X.commentBefore&&!X.comment&&!X.tag})}hasIn(q){let[Z,...X]=q;if(X.length===0)return this.has(Z);let J=this.get(Z,!0);return s.isCollection(J)?J.hasIn(X):!1}setIn(q,Z){let[X,...J]=q;if(J.length===0)this.set(X,Z);else{let $=this.get(X,!0);if(s.isCollection($))$.setIn(J,Z);else if($===void 0&&this.schema)this.set(X,eq(this.schema,J,Z));else throw Error(`Expected YAML collection at ${X}. Remaining path: ${J}`)}}}d8.Collection=S2;d8.collectionFromPath=eq;d8.isEmptyPath=A2});var c1=D((s8)=>{var i8=(q)=>q.replace(/^(?!$)(?: $)?/gm,"#");function q9(q,Z){if(/^\n+$/.test(q))return q.substring(1);return Z?q.replace(/^(?! *$)/gm,Z):q}var a8=(q,Z,X)=>q.endsWith(`
|
|
29
|
+
`)?q9(X,Z):X.includes(`
|
|
30
|
+
`)?`
|
|
31
|
+
`+q9(X,Z):(q.endsWith(" ")?"":" ")+X;s8.indentComment=q9;s8.lineComment=a8;s8.stringifyComment=i8});var b2=D((e8)=>{function t8(q,Z,X="flow",{indentAtStart:J,lineWidth:$=80,minContentWidth:Q=20,onFold:z,onOverflow:H}={}){if(!$||$<0)return q;if($<Q)Q=0;let U=Math.max(1+Q,1+$-Z.length);if(q.length<=U)return q;let G=[],Y={},B=$-Z.length;if(typeof J==="number")if(J>$-Math.max(2,Q))G.push(0);else B=$-J;let _=void 0,R=void 0,W=!1,T=-1,L=-1,I=-1;if(X==="block"){if(T=w2(q,T,Z.length),T!==-1)B=T+U}for(let P;P=q[T+=1];){if(X==="quoted"&&P==="\\"){switch(L=T,q[T+1]){case"x":T+=3;break;case"u":T+=5;break;case"U":T+=9;break;default:T+=1}I=T}if(P===`
|
|
32
|
+
`){if(X==="block")T=w2(q,T,Z.length);B=T+Z.length+U,_=void 0}else{if(P===" "&&R&&R!==" "&&R!==`
|
|
33
|
+
`&&R!=="\t"){let O=q[T+1];if(O&&O!==" "&&O!==`
|
|
34
|
+
`&&O!=="\t")_=T}if(T>=B)if(_)G.push(_),B=_+U,_=void 0;else if(X==="quoted"){while(R===" "||R==="\t")R=P,P=q[T+=1],W=!0;let O=T>I+1?T-2:L-1;if(Y[O])return q;G.push(O),Y[O]=!0,B=O+U,_=void 0}else W=!0}R=P}if(W&&H)H();if(G.length===0)return q;if(z)z();let M=q.slice(0,G[0]);for(let P=0;P<G.length;++P){let O=G[P],N=G[P+1]||q.length;if(O===0)M=`
|
|
35
|
+
${Z}${q.slice(0,N)}`;else{if(X==="quoted"&&Y[O])M+=`${q[O]}\\`;M+=`
|
|
36
|
+
${Z}${q.slice(O+1,N)}`}}return M}function w2(q,Z,X){let J=Z,$=Z+1,Q=q[$];while(Q===" "||Q==="\t")if(Z<$+X)Q=q[++Z];else{do Q=q[++Z];while(Q&&Q!==`
|
|
37
|
+
`);J=Z,$=Z+1,Q=q[$]}return J}e8.FOLD_BLOCK="block";e8.FOLD_FLOW="flow";e8.FOLD_QUOTED="quoted";e8.foldFlowLines=t8});var a1=D((HZ)=>{var d=C(),X1=b2(),v0=(q,Z)=>({indentAtStart:Z?q.indent.length:q.indentAtStart,lineWidth:q.options.lineWidth,minContentWidth:q.options.minContentWidth}),h0=(q)=>/^(%|---|\.\.\.)/m.test(q);function $Z(q,Z,X){if(!Z||Z<0)return!1;let J=Z-X,$=q.length;if($<=J)return!1;for(let Q=0,z=0;Q<$;++Q)if(q[Q]===`
|
|
38
|
+
`){if(Q-z>J)return!0;if(z=Q+1,$-z<=J)return!1}return!0}function i1(q,Z){let X=JSON.stringify(q);if(Z.options.doubleQuotedAsJSON)return X;let{implicitKey:J}=Z,$=Z.options.doubleQuotedMinMultiLineLength,Q=Z.indent||(h0(q)?" ":""),z="",H=0;for(let U=0,G=X[U];G;G=X[++U]){if(G===" "&&X[U+1]==="\\"&&X[U+2]==="n")z+=X.slice(H,U)+"\\ ",U+=1,H=U,G="\\";if(G==="\\")switch(X[U+1]){case"u":{z+=X.slice(H,U);let Y=X.substr(U+2,4);switch(Y){case"0000":z+="\\0";break;case"0007":z+="\\a";break;case"000b":z+="\\v";break;case"001b":z+="\\e";break;case"0085":z+="\\N";break;case"00a0":z+="\\_";break;case"2028":z+="\\L";break;case"2029":z+="\\P";break;default:if(Y.substr(0,2)==="00")z+="\\x"+Y.substr(2);else z+=X.substr(U,6)}U+=5,H=U+1}break;case"n":if(J||X[U+2]==='"'||X.length<$)U+=1;else{z+=X.slice(H,U)+`
|
|
39
|
+
|
|
40
|
+
`;while(X[U+2]==="\\"&&X[U+3]==="n"&&X[U+4]!=='"')z+=`
|
|
41
|
+
`,U+=2;if(z+=Q,X[U+2]===" ")z+="\\";U+=1,H=U+1}break;default:U+=1}}return z=H?z+X.slice(H):X,J?z:X1.foldFlowLines(z,Q,X1.FOLD_QUOTED,v0(Z,!1))}function Z9(q,Z){if(Z.options.singleQuote===!1||Z.implicitKey&&q.includes(`
|
|
42
|
+
`)||/[ \t]\n|\n[ \t]/.test(q))return i1(q,Z);let X=Z.indent||(h0(q)?" ":""),J="'"+q.replace(/'/g,"''").replace(/\n+/g,`$&
|
|
43
|
+
${X}`)+"'";return Z.implicitKey?J:X1.foldFlowLines(J,X,X1.FOLD_FLOW,v0(Z,!1))}function j1(q,Z){let{singleQuote:X}=Z.options,J;if(X===!1)J=i1;else{let $=q.includes('"'),Q=q.includes("'");if($&&!Q)J=Z9;else if(Q&&!$)J=i1;else J=X?Z9:i1}return J(q,Z)}var X9;try{X9=new RegExp(`(^|(?<!
|
|
44
|
+
))
|
|
45
|
+
+(?!
|
|
46
|
+
|$)`,"g")}catch{X9=/\n+(?!\n|$)/g}function k0({comment:q,type:Z,value:X},J,$,Q){let{blockQuote:z,commentString:H,lineWidth:U}=J.options;if(!z||/\n[\t ]+$/.test(X))return j1(X,J);let G=J.indent||(J.forceBlockIndent||h0(X)?" ":""),Y=z==="literal"?!0:z==="folded"||Z===d.Scalar.BLOCK_FOLDED?!1:Z===d.Scalar.BLOCK_LITERAL?!0:!$Z(X,U,G.length);if(!X)return Y?`|
|
|
47
|
+
`:`>
|
|
48
|
+
`;let B,_;for(_=X.length;_>0;--_){let N=X[_-1];if(N!==`
|
|
49
|
+
`&&N!=="\t"&&N!==" ")break}let R=X.substring(_),W=R.indexOf(`
|
|
50
|
+
`);if(W===-1)B="-";else if(X===R||W!==R.length-1){if(B="+",Q)Q()}else B="";if(R){if(X=X.slice(0,-R.length),R[R.length-1]===`
|
|
51
|
+
`)R=R.slice(0,-1);R=R.replace(X9,`$&${G}`)}let T=!1,L,I=-1;for(L=0;L<X.length;++L){let N=X[L];if(N===" ")T=!0;else if(N===`
|
|
52
|
+
`)I=L;else break}let M=X.substring(0,I<L?I+1:L);if(M)X=X.substring(M.length),M=M.replace(/\n+/g,`$&${G}`);let O=(T?G?"2":"1":"")+B;if(q){if(O+=" "+H(q.replace(/ ?[\r\n]+/g," ")),$)$()}if(!Y){let N=X.replace(/\n+/g,`
|
|
53
|
+
$&`).replace(/(?:^|\n)([\t ].*)(?:([\n\t ]*)\n(?![\n\t ]))?/g,"$1$2").replace(/\n+/g,`$&${G}`),A=!1,K=v0(J,!0);if(z!=="folded"&&Z!==d.Scalar.BLOCK_FOLDED)K.onOverflow=()=>{A=!0};let V=X1.foldFlowLines(`${M}${N}${R}`,G,X1.FOLD_BLOCK,K);if(!A)return`>${O}
|
|
54
|
+
${G}${V}`}return X=X.replace(/\n+/g,`$&${G}`),`|${O}
|
|
55
|
+
${G}${M}${X}${R}`}function QZ(q,Z,X,J){let{type:$,value:Q}=q,{actualString:z,implicitKey:H,indent:U,indentStep:G,inFlow:Y}=Z;if(H&&Q.includes(`
|
|
56
|
+
`)||Y&&/[[\]{},]/.test(Q))return j1(Q,Z);if(/^[\n\t ,[\]{}#&*!|>'"%@`]|^[?-]$|^[?-][ \t]|[\n:][ \t]|[ \t]\n|[\n\t ]#|[\n\t :]$/.test(Q))return H||Y||!Q.includes(`
|
|
57
|
+
`)?j1(Q,Z):k0(q,Z,X,J);if(!H&&!Y&&$!==d.Scalar.PLAIN&&Q.includes(`
|
|
58
|
+
`))return k0(q,Z,X,J);if(h0(Q)){if(U==="")return Z.forceBlockIndent=!0,k0(q,Z,X,J);else if(H&&U===G)return j1(Q,Z)}let B=Q.replace(/\n+/g,`$&
|
|
59
|
+
${U}`);if(z){let _=(T)=>T.default&&T.tag!=="tag:yaml.org,2002:str"&&T.test?.test(B),{compat:R,tags:W}=Z.doc.schema;if(W.some(_)||R?.some(_))return j1(Q,Z)}return H?B:X1.foldFlowLines(B,U,X1.FOLD_FLOW,v0(Z,!1))}function zZ(q,Z,X,J){let{implicitKey:$,inFlow:Q}=Z,z=typeof q.value==="string"?q:Object.assign({},q,{value:String(q.value)}),{type:H}=q;if(H!==d.Scalar.QUOTE_DOUBLE){if(/[\x00-\x08\x0b-\x1f\x7f-\x9f\u{D800}-\u{DFFF}]/u.test(z.value))H=d.Scalar.QUOTE_DOUBLE}let U=(Y)=>{switch(Y){case d.Scalar.BLOCK_FOLDED:case d.Scalar.BLOCK_LITERAL:return $||Q?j1(z.value,Z):k0(z,Z,X,J);case d.Scalar.QUOTE_DOUBLE:return i1(z.value,Z);case d.Scalar.QUOTE_SINGLE:return Z9(z.value,Z);case d.Scalar.PLAIN:return QZ(z,Z,X,J);default:return null}},G=U(H);if(G===null){let{defaultKeyType:Y,defaultStringType:B}=Z.options,_=$&&Y||B;if(G=U(_),G===null)throw Error(`Unsupported default string type ${_}`)}return G}HZ.stringifyString=zZ});var s1=D((RZ)=>{var GZ=C0(),J1=S(),YZ=c1(),BZ=a1();function TZ(q,Z){let X=Object.assign({blockQuote:!0,commentString:YZ.stringifyComment,defaultKeyType:null,defaultStringType:"PLAIN",directives:null,doubleQuotedAsJSON:!1,doubleQuotedMinMultiLineLength:40,falseStr:"false",flowCollectionPadding:!0,indentSeq:!0,lineWidth:80,minContentWidth:20,nullStr:"null",simpleKeys:!1,singleQuote:null,trueStr:"true",verifyAliasOrder:!0},q.schema.toStringOptions,Z),J;switch(X.collectionStyle){case"block":J=!1;break;case"flow":J=!0;break;default:J=null}return{anchors:new Set,doc:q,flowCollectionPadding:X.flowCollectionPadding?" ":"",indent:"",indentStep:typeof X.indent==="number"?" ".repeat(X.indent):" ",inFlow:J,options:X}}function _Z(q,Z){if(Z.tag){let $=q.filter((Q)=>Q.tag===Z.tag);if($.length>0)return $.find((Q)=>Q.format===Z.format)??$[0]}let X=void 0,J;if(J1.isScalar(Z)){J=Z.value;let $=q.filter((Q)=>Q.identify?.(J));if($.length>1){let Q=$.filter((z)=>z.test);if(Q.length>0)$=Q}X=$.find((Q)=>Q.format===Z.format)??$.find((Q)=>!Q.format)}else J=Z,X=q.find(($)=>$.nodeClass&&J instanceof $.nodeClass);if(!X){let $=J?.constructor?.name??(J===null?"null":typeof J);throw Error(`Tag not resolved for ${$} value`)}return X}function LZ(q,Z,{anchors:X,doc:J}){if(!J.directives)return"";let $=[],Q=(J1.isScalar(q)||J1.isCollection(q))&&q.anchor;if(Q&&GZ.anchorIsValid(Q))X.add(Q),$.push(`&${Q}`);let z=q.tag??(Z.default?null:Z.tag);if(z)$.push(J.directives.tagString(z));return $.join(" ")}function WZ(q,Z,X,J){if(J1.isPair(q))return q.toString(Z,X,J);if(J1.isAlias(q)){if(Z.doc.directives)return q.toString(Z);if(Z.resolvedAliases?.has(q))throw TypeError("Cannot stringify circular structure without alias nodes");else{if(Z.resolvedAliases)Z.resolvedAliases.add(q);else Z.resolvedAliases=new Set([q]);q=q.resolve(Z.doc)}}let $=void 0,Q=J1.isNode(q)?q:Z.doc.createNode(q,{onTagObj:(U)=>$=U});$??($=_Z(Z.doc.schema.tags,Q));let z=LZ(Q,$,Z);if(z.length>0)Z.indentAtStart=(Z.indentAtStart??0)+z.length+1;let H=typeof $.stringify==="function"?$.stringify(Q,Z,X,J):J1.isScalar(Q)?BZ.stringifyString(Q,Z,X,J):Q.toString(Z,X,J);if(!z)return H;return J1.isScalar(Q)||H[0]==="{"||H[0]==="["?`${z} ${H}`:`${z}
|
|
60
|
+
${Z.indent}${H}`}RZ.createStringifyContext=TZ;RZ.stringify=WZ});var C2=D((KZ)=>{var e=S(),j2=C(),E2=s1(),r1=c1();function MZ({key:q,value:Z},X,J,$){let{allNullValues:Q,doc:z,indent:H,indentStep:U,options:{commentString:G,indentSeq:Y,simpleKeys:B}}=X,_=e.isNode(q)&&q.comment||null;if(B){if(_)throw Error("With simple keys, key nodes cannot have comments");if(e.isCollection(q)||!e.isNode(q)&&typeof q==="object")throw Error("With simple keys, collection cannot be used as a key value")}let R=!B&&(!q||_&&Z==null&&!X.inFlow||e.isCollection(q)||(e.isScalar(q)?q.type===j2.Scalar.BLOCK_FOLDED||q.type===j2.Scalar.BLOCK_LITERAL:typeof q==="object"));X=Object.assign({},X,{allNullValues:!1,implicitKey:!R&&(B||!Q),indent:H+U});let W=!1,T=!1,L=E2.stringify(q,X,()=>W=!0,()=>T=!0);if(!R&&!X.inFlow&&L.length>1024){if(B)throw Error("With simple keys, single line scalar must not span more than 1024 characters");R=!0}if(X.inFlow){if(Q||Z==null){if(W&&J)J();return L===""?"?":R?`? ${L}`:L}}else if(Q&&!B||Z==null&&R){if(L=`? ${L}`,_&&!W)L+=r1.lineComment(L,X.indent,G(_));else if(T&&$)$();return L}if(W)_=null;if(R){if(_)L+=r1.lineComment(L,X.indent,G(_));L=`? ${L}
|
|
61
|
+
${H}:`}else if(L=`${L}:`,_)L+=r1.lineComment(L,X.indent,G(_));let I,M,P;if(e.isNode(Z))I=!!Z.spaceBefore,M=Z.commentBefore,P=Z.comment;else if(I=!1,M=null,P=null,Z&&typeof Z==="object")Z=z.createNode(Z);if(X.implicitKey=!1,!R&&!_&&e.isScalar(Z))X.indentAtStart=L.length+1;if(T=!1,!Y&&U.length>=2&&!X.inFlow&&!R&&e.isSeq(Z)&&!Z.flow&&!Z.tag&&!Z.anchor)X.indent=X.indent.substring(2);let O=!1,N=E2.stringify(Z,X,()=>O=!0,()=>T=!0),A=" ";if(_||I||M){if(A=I?`
|
|
62
|
+
`:"",M){let K=G(M);A+=`
|
|
63
|
+
${r1.indentComment(K,X.indent)}`}if(N===""&&!X.inFlow){if(A===`
|
|
64
|
+
`&&P)A=`
|
|
65
|
+
|
|
66
|
+
`}else A+=`
|
|
67
|
+
${X.indent}`}else if(!R&&e.isCollection(Z)){let K=N[0],V=N.indexOf(`
|
|
68
|
+
`),w=V!==-1,y=X.inFlow??Z.flow??Z.items.length===0;if(w||!y){let x=!1;if(w&&(K==="&"||K==="!")){let E=N.indexOf(" ");if(K==="&"&&E!==-1&&E<V&&N[E+1]==="!")E=N.indexOf(" ",E+1);if(E===-1||V<E)x=!0}if(!x)A=`
|
|
69
|
+
${X.indent}`}}else if(N===""||N[0]===`
|
|
70
|
+
`)A="";if(L+=A+N,X.inFlow){if(O&&J)J()}else if(P&&!O)L+=r1.lineComment(L,X.indent,G(P));else if(T&&$)$();return L}KZ.stringifyPair=MZ});var J9=D((OZ)=>{var f2=r("process");function DZ(q,...Z){if(q==="debug")console.log(...Z)}function FZ(q,Z){if(q==="debug"||q==="warn")if(typeof f2.emitWarning==="function")f2.emitWarning(Z);else console.warn(Z)}OZ.debug=DZ;OZ.warn=FZ});var m0=D((wZ)=>{var n1=S(),y2=C(),g0="<<",u0={identify:(q)=>q===g0||typeof q==="symbol"&&q.description===g0,default:"key",tag:"tag:yaml.org,2002:merge",test:/^<<$/,resolve:()=>Object.assign(new y2.Scalar(Symbol(g0)),{addToJSMap:x2}),stringify:()=>g0},SZ=(q,Z)=>(u0.identify(Z)||n1.isScalar(Z)&&(!Z.type||Z.type===y2.Scalar.PLAIN)&&u0.identify(Z.value))&&q?.doc.schema.tags.some((X)=>X.tag===u0.tag&&X.default);function x2(q,Z,X){if(X=q&&n1.isAlias(X)?X.resolve(q.doc):X,n1.isSeq(X))for(let J of X.items)$9(q,Z,J);else if(Array.isArray(X))for(let J of X)$9(q,Z,J);else $9(q,Z,X)}function $9(q,Z,X){let J=q&&n1.isAlias(X)?X.resolve(q.doc):X;if(!n1.isMap(J))throw Error("Merge sources must be maps or map aliases");let $=J.toJSON(null,q,Map);for(let[Q,z]of $)if(Z instanceof Map){if(!Z.has(Q))Z.set(Q,z)}else if(Z instanceof Set)Z.add(Q);else if(!Object.prototype.hasOwnProperty.call(Z,Q))Object.defineProperty(Z,Q,{value:z,writable:!0,enumerable:!0,configurable:!0});return Z}wZ.addMergeToJSMap=x2;wZ.isMergeKey=SZ;wZ.merge=u0});var z9=D((kZ)=>{var CZ=J9(),k2=m0(),fZ=s1(),v2=S(),Q9=Z1();function yZ(q,Z,{key:X,value:J}){if(v2.isNode(X)&&X.addToJSMap)X.addToJSMap(q,Z,J);else if(k2.isMergeKey(q,X))k2.addMergeToJSMap(q,Z,J);else{let $=Q9.toJS(X,"",q);if(Z instanceof Map)Z.set($,Q9.toJS(J,$,q));else if(Z instanceof Set)Z.add($);else{let Q=xZ(X,$,q),z=Q9.toJS(J,Q,q);if(Q in Z)Object.defineProperty(Z,Q,{value:z,writable:!0,enumerable:!0,configurable:!0});else Z[Q]=z}}return Z}function xZ(q,Z,X){if(Z===null)return"";if(typeof Z!=="object")return String(Z);if(v2.isNode(q)&&X?.doc){let J=fZ.createStringifyContext(X.doc,{});J.anchors=new Set;for(let Q of X.anchors.keys())J.anchors.add(Q.anchor);J.inFlow=!0,J.inStringifyKey=!0;let $=q.toString(J);if(!X.mapKeyWarned){let Q=JSON.stringify($);if(Q.length>40)Q=Q.substring(0,36)+'..."';CZ.warn(X.doc.options.logLevel,`Keys with collection values will be stringified due to JS Object restrictions: ${Q}. Set mapAsMap: true to use object keys.`),X.mapKeyWarned=!0}return $}return JSON.stringify(Z)}kZ.addPairToJSMap=yZ});var $1=D((mZ)=>{var h2=p1(),hZ=C2(),gZ=z9(),d0=S();function uZ(q,Z,X){let J=h2.createNode(q,void 0,X),$=h2.createNode(Z,void 0,X);return new l0(J,$)}class l0{constructor(q,Z=null){Object.defineProperty(this,d0.NODE_TYPE,{value:d0.PAIR}),this.key=q,this.value=Z}clone(q){let{key:Z,value:X}=this;if(d0.isNode(Z))Z=Z.clone(q);if(d0.isNode(X))X=X.clone(q);return new l0(Z,X)}toJSON(q,Z){let X=Z?.mapAsMap?new Map:{};return gZ.addPairToJSMap(Z,X,this)}toString(q,Z,X){return q?.doc?hZ.stringifyPair(this,q,Z,X):JSON.stringify(this)}}mZ.Pair=l0;mZ.createPair=uZ});var H9=D((aZ)=>{var I1=S(),g2=s1(),p0=c1();function pZ(q,Z,X){return(Z.inFlow??q.flow?iZ:cZ)(q,Z,X)}function cZ({comment:q,items:Z},X,{blockItemPrefix:J,flowChars:$,itemIndent:Q,onChompKeep:z,onComment:H}){let{indent:U,options:{commentString:G}}=X,Y=Object.assign({},X,{indent:Q,type:null}),B=!1,_=[];for(let W=0;W<Z.length;++W){let T=Z[W],L=null;if(I1.isNode(T)){if(!B&&T.spaceBefore)_.push("");if(c0(X,_,T.commentBefore,B),T.comment)L=T.comment}else if(I1.isPair(T)){let M=I1.isNode(T.key)?T.key:null;if(M){if(!B&&M.spaceBefore)_.push("");c0(X,_,M.commentBefore,B)}}B=!1;let I=g2.stringify(T,Y,()=>L=null,()=>B=!0);if(L)I+=p0.lineComment(I,Q,G(L));if(B&&L)B=!1;_.push(J+I)}let R;if(_.length===0)R=$.start+$.end;else{R=_[0];for(let W=1;W<_.length;++W){let T=_[W];R+=T?`
|
|
71
|
+
${U}${T}`:`
|
|
72
|
+
`}}if(q){if(R+=`
|
|
73
|
+
`+p0.indentComment(G(q),U),H)H()}else if(B&&z)z();return R}function iZ({items:q},Z,{flowChars:X,itemIndent:J}){let{indent:$,indentStep:Q,flowCollectionPadding:z,options:{commentString:H}}=Z;J+=Q;let U=Object.assign({},Z,{indent:J,inFlow:!0,type:null}),G=!1,Y=0,B=[];for(let W=0;W<q.length;++W){let T=q[W],L=null;if(I1.isNode(T)){if(T.spaceBefore)B.push("");if(c0(Z,B,T.commentBefore,!1),T.comment)L=T.comment}else if(I1.isPair(T)){let M=I1.isNode(T.key)?T.key:null;if(M){if(M.spaceBefore)B.push("");if(c0(Z,B,M.commentBefore,!1),M.comment)G=!0}let P=I1.isNode(T.value)?T.value:null;if(P){if(P.comment)L=P.comment;if(P.commentBefore)G=!0}else if(T.value==null&&M?.comment)L=M.comment}if(L)G=!0;let I=g2.stringify(T,U,()=>L=null);if(W<q.length-1)I+=",";if(L)I+=p0.lineComment(I,J,H(L));if(!G&&(B.length>Y||I.includes(`
|
|
74
|
+
`)))G=!0;B.push(I),Y=B.length}let{start:_,end:R}=X;if(B.length===0)return _+R;else{if(!G){let W=B.reduce((T,L)=>T+L.length+2,2);G=Z.options.lineWidth>0&&W>Z.options.lineWidth}if(G){let W=_;for(let T of B)W+=T?`
|
|
75
|
+
${Q}${$}${T}`:`
|
|
76
|
+
`;return`${W}
|
|
77
|
+
${$}${R}`}else return`${_}${z}${B.join(" ")}${z}${R}`}}function c0({indent:q,options:{commentString:Z}},X,J,$){if(J&&$)J=J.replace(/^\n+/,"");if(J){let Q=p0.indentComment(Z(J),q);X.push(Q.trimStart())}}aZ.stringifyCollection=pZ});var z1=D((eZ)=>{var rZ=H9(),nZ=z9(),oZ=x0(),Q1=S(),i0=$1(),tZ=C();function o1(q,Z){let X=Q1.isScalar(Z)?Z.value:Z;for(let J of q)if(Q1.isPair(J)){if(J.key===Z||J.key===X)return J;if(Q1.isScalar(J.key)&&J.key.value===X)return J}return}class u2 extends oZ.Collection{static get tagName(){return"tag:yaml.org,2002:map"}constructor(q){super(Q1.MAP,q);this.items=[]}static from(q,Z,X){let{keepUndefined:J,replacer:$}=X,Q=new this(q),z=(H,U)=>{if(typeof $==="function")U=$.call(Z,H,U);else if(Array.isArray($)&&!$.includes(H))return;if(U!==void 0||J)Q.items.push(i0.createPair(H,U,X))};if(Z instanceof Map)for(let[H,U]of Z)z(H,U);else if(Z&&typeof Z==="object")for(let H of Object.keys(Z))z(H,Z[H]);if(typeof q.sortMapEntries==="function")Q.items.sort(q.sortMapEntries);return Q}add(q,Z){let X;if(Q1.isPair(q))X=q;else if(!q||typeof q!=="object"||!("key"in q))X=new i0.Pair(q,q?.value);else X=new i0.Pair(q.key,q.value);let J=o1(this.items,X.key),$=this.schema?.sortMapEntries;if(J){if(!Z)throw Error(`Key ${X.key} already set`);if(Q1.isScalar(J.value)&&tZ.isScalarValue(X.value))J.value.value=X.value;else J.value=X.value}else if($){let Q=this.items.findIndex((z)=>$(X,z)<0);if(Q===-1)this.items.push(X);else this.items.splice(Q,0,X)}else this.items.push(X)}delete(q){let Z=o1(this.items,q);if(!Z)return!1;return this.items.splice(this.items.indexOf(Z),1).length>0}get(q,Z){let J=o1(this.items,q)?.value;return(!Z&&Q1.isScalar(J)?J.value:J)??void 0}has(q){return!!o1(this.items,q)}set(q,Z){this.add(new i0.Pair(q,Z),!0)}toJSON(q,Z,X){let J=X?new X:Z?.mapAsMap?new Map:{};if(Z?.onCreate)Z.onCreate(J);for(let $ of this.items)nZ.addPairToJSMap(Z,J,$);return J}toString(q,Z,X){if(!q)return JSON.stringify(this);for(let J of this.items)if(!Q1.isPair(J))throw Error(`Map items must all be pairs; found ${JSON.stringify(J)} instead`);if(!q.allNullValues&&this.hasAllNullValues(!1))q=Object.assign({},q,{allNullValues:!0});return rZ.stringifyCollection(this,q,{blockItemPrefix:"",flowChars:{start:"{",end:"}"},itemIndent:q.indent||"",onChompKeep:X,onComment:Z})}}eZ.YAMLMap=u2;eZ.findPair=o1});var E1=D(($X)=>{var XX=S(),m2=z1(),JX={collection:"map",default:!0,nodeClass:m2.YAMLMap,tag:"tag:yaml.org,2002:map",resolve(q,Z){if(!XX.isMap(q))Z("Expected a mapping for this tag");return q},createNode:(q,Z,X)=>m2.YAMLMap.from(q,Z,X)};$X.map=JX});var H1=D((BX)=>{var zX=p1(),HX=H9(),UX=x0(),s0=S(),GX=C(),YX=Z1();class d2 extends UX.Collection{static get tagName(){return"tag:yaml.org,2002:seq"}constructor(q){super(s0.SEQ,q);this.items=[]}add(q){this.items.push(q)}delete(q){let Z=a0(q);if(typeof Z!=="number")return!1;return this.items.splice(Z,1).length>0}get(q,Z){let X=a0(q);if(typeof X!=="number")return;let J=this.items[X];return!Z&&s0.isScalar(J)?J.value:J}has(q){let Z=a0(q);return typeof Z==="number"&&Z<this.items.length}set(q,Z){let X=a0(q);if(typeof X!=="number")throw Error(`Expected a valid index, not ${q}.`);let J=this.items[X];if(s0.isScalar(J)&&GX.isScalarValue(Z))J.value=Z;else this.items[X]=Z}toJSON(q,Z){let X=[];if(Z?.onCreate)Z.onCreate(X);let J=0;for(let $ of this.items)X.push(YX.toJS($,String(J++),Z));return X}toString(q,Z,X){if(!q)return JSON.stringify(this);return HX.stringifyCollection(this,q,{blockItemPrefix:"- ",flowChars:{start:"[",end:"]"},itemIndent:(q.indent||"")+" ",onChompKeep:X,onComment:Z})}static from(q,Z,X){let{replacer:J}=X,$=new this(q);if(Z&&Symbol.iterator in Object(Z)){let Q=0;for(let z of Z){if(typeof J==="function"){let H=Z instanceof Set?z:String(Q++);z=J.call(Z,H,z)}$.items.push(zX.createNode(z,void 0,X))}}return $}}function a0(q){let Z=s0.isScalar(q)?q.value:q;if(Z&&typeof Z==="string")Z=Number(Z);return typeof Z==="number"&&Number.isInteger(Z)&&Z>=0?Z:null}BX.YAMLSeq=d2});var C1=D((WX)=>{var _X=S(),l2=H1(),LX={collection:"seq",default:!0,nodeClass:l2.YAMLSeq,tag:"tag:yaml.org,2002:seq",resolve(q,Z){if(!_X.isSeq(q))Z("Expected a sequence for this tag");return q},createNode:(q,Z,X)=>l2.YAMLSeq.from(q,Z,X)};WX.seq=LX});var t1=D((MX)=>{var VX=a1(),IX={identify:(q)=>typeof q==="string",default:!0,tag:"tag:yaml.org,2002:str",resolve:(q)=>q,stringify(q,Z,X,J){return Z=Object.assign({actualString:!0},Z),VX.stringifyString(q,Z,X,J)}};MX.string=IX});var r0=D((PX)=>{var p2=C(),c2={identify:(q)=>q==null,createNode:()=>new p2.Scalar(null),default:!0,tag:"tag:yaml.org,2002:null",test:/^(?:~|[Nn]ull|NULL)?$/,resolve:()=>new p2.Scalar(null),stringify:({source:q},Z)=>typeof q==="string"&&c2.test.test(q)?q:Z.options.nullStr};PX.nullTag=c2});var U9=D((OX)=>{var FX=C(),i2={identify:(q)=>typeof q==="boolean",default:!0,tag:"tag:yaml.org,2002:bool",test:/^(?:[Tt]rue|TRUE|[Ff]alse|FALSE)$/,resolve:(q)=>new FX.Scalar(q[0]==="t"||q[0]==="T"),stringify({source:q,value:Z},X){if(q&&i2.test.test(q)){let J=q[0]==="t"||q[0]==="T";if(Z===J)return q}return Z?X.options.trueStr:X.options.falseStr}};OX.boolTag=i2});var f1=D((SX)=>{function AX({format:q,minFractionDigits:Z,tag:X,value:J}){if(typeof J==="bigint")return String(J);let $=typeof J==="number"?J:Number(J);if(!isFinite($))return isNaN($)?".nan":$<0?"-.inf":".inf";let Q=Object.is(J,-0)?"-0":JSON.stringify(J);if(!q&&Z&&(!X||X==="tag:yaml.org,2002:float")&&/^\d/.test(Q)){let z=Q.indexOf(".");if(z<0)z=Q.length,Q+=".";let H=Z-(Q.length-z-1);while(H-- >0)Q+="0"}return Q}SX.stringifyNumber=AX});var Y9=D((fX)=>{var bX=C(),G9=f1(),jX={identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",test:/^(?:[-+]?\.(?:inf|Inf|INF)|\.nan|\.NaN|\.NAN)$/,resolve:(q)=>q.slice(-3).toLowerCase()==="nan"?NaN:q[0]==="-"?Number.NEGATIVE_INFINITY:Number.POSITIVE_INFINITY,stringify:G9.stringifyNumber},EX={identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",format:"EXP",test:/^[-+]?(?:\.[0-9]+|[0-9]+(?:\.[0-9]*)?)[eE][-+]?[0-9]+$/,resolve:(q)=>parseFloat(q),stringify(q){let Z=Number(q.value);return isFinite(Z)?Z.toExponential():G9.stringifyNumber(q)}},CX={identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",test:/^[-+]?(?:\.[0-9]+|[0-9]+\.[0-9]*)$/,resolve(q){let Z=new bX.Scalar(parseFloat(q)),X=q.indexOf(".");if(X!==-1&&q[q.length-1]==="0")Z.minFractionDigits=q.length-X-1;return Z},stringify:G9.stringifyNumber};fX.float=CX;fX.floatExp=EX;fX.floatNaN=jX});var T9=D((uX)=>{var a2=f1(),n0=(q)=>typeof q==="bigint"||Number.isInteger(q),B9=(q,Z,X,{intAsBigInt:J})=>J?BigInt(q):parseInt(q.substring(Z),X);function s2(q,Z,X){let{value:J}=q;if(n0(J)&&J>=0)return X+J.toString(Z);return a2.stringifyNumber(q)}var vX={identify:(q)=>n0(q)&&q>=0,default:!0,tag:"tag:yaml.org,2002:int",format:"OCT",test:/^0o[0-7]+$/,resolve:(q,Z,X)=>B9(q,2,8,X),stringify:(q)=>s2(q,8,"0o")},hX={identify:n0,default:!0,tag:"tag:yaml.org,2002:int",test:/^[-+]?[0-9]+$/,resolve:(q,Z,X)=>B9(q,0,10,X),stringify:a2.stringifyNumber},gX={identify:(q)=>n0(q)&&q>=0,default:!0,tag:"tag:yaml.org,2002:int",format:"HEX",test:/^0x[0-9a-fA-F]+$/,resolve:(q,Z,X)=>B9(q,2,16,X),stringify:(q)=>s2(q,16,"0x")};uX.int=hX;uX.intHex=gX;uX.intOct=vX});var r2=D((nX)=>{var pX=E1(),cX=r0(),iX=C1(),aX=t1(),sX=U9(),_9=Y9(),L9=T9(),rX=[pX.map,iX.seq,aX.string,cX.nullTag,sX.boolTag,L9.intOct,L9.int,L9.intHex,_9.floatNaN,_9.floatExp,_9.float];nX.schema=rX});var o2=D(($J)=>{var tX=C(),eX=E1(),qJ=C1();function n2(q){return typeof q==="bigint"||Number.isInteger(q)}var o0=({value:q})=>JSON.stringify(q),ZJ=[{identify:(q)=>typeof q==="string",default:!0,tag:"tag:yaml.org,2002:str",resolve:(q)=>q,stringify:o0},{identify:(q)=>q==null,createNode:()=>new tX.Scalar(null),default:!0,tag:"tag:yaml.org,2002:null",test:/^null$/,resolve:()=>null,stringify:o0},{identify:(q)=>typeof q==="boolean",default:!0,tag:"tag:yaml.org,2002:bool",test:/^true$|^false$/,resolve:(q)=>q==="true",stringify:o0},{identify:n2,default:!0,tag:"tag:yaml.org,2002:int",test:/^-?(?:0|[1-9][0-9]*)$/,resolve:(q,Z,{intAsBigInt:X})=>X?BigInt(q):parseInt(q,10),stringify:({value:q})=>n2(q)?q.toString():JSON.stringify(q)},{identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",test:/^-?(?:0|[1-9][0-9]*)(?:\.[0-9]*)?(?:[eE][-+]?[0-9]+)?$/,resolve:(q)=>parseFloat(q),stringify:o0}],XJ={default:!0,tag:"",test:/^/,resolve(q,Z){return Z(`Unresolved plain scalar ${JSON.stringify(q)}`),q}},JJ=[eX.map,qJ.seq].concat(ZJ,XJ);$J.schema=JJ});var R9=D((UJ)=>{var e1=r("buffer"),W9=C(),zJ=a1(),HJ={identify:(q)=>q instanceof Uint8Array,default:!1,tag:"tag:yaml.org,2002:binary",resolve(q,Z){if(typeof e1.Buffer==="function")return e1.Buffer.from(q,"base64");else if(typeof atob==="function"){let X=atob(q.replace(/[\n\r]/g,"")),J=new Uint8Array(X.length);for(let $=0;$<X.length;++$)J[$]=X.charCodeAt($);return J}else return Z("This environment does not support reading binary tags; either Buffer or atob is required"),q},stringify({comment:q,type:Z,value:X},J,$,Q){if(!X)return"";let z=X,H;if(typeof e1.Buffer==="function")H=z instanceof e1.Buffer?z.toString("base64"):e1.Buffer.from(z.buffer).toString("base64");else if(typeof btoa==="function"){let U="";for(let G=0;G<z.length;++G)U+=String.fromCharCode(z[G]);H=btoa(U)}else throw Error("This environment does not support writing binary tags; either Buffer or btoa is required");if(Z??(Z=W9.Scalar.BLOCK_LITERAL),Z!==W9.Scalar.QUOTE_DOUBLE){let U=Math.max(J.options.lineWidth-J.indent.length,J.options.minContentWidth),G=Math.ceil(H.length/U),Y=Array(G);for(let B=0,_=0;B<G;++B,_+=U)Y[B]=H.substr(_,U);H=Y.join(Z===W9.Scalar.BLOCK_LITERAL?`
|
|
78
|
+
`:" ")}return zJ.stringifyString({comment:q,type:Z,value:H},J,$,Q)}};UJ.binary=HJ});var e0=D((_J)=>{var t0=S(),V9=$1(),YJ=C(),BJ=H1();function t2(q,Z){if(t0.isSeq(q))for(let X=0;X<q.items.length;++X){let J=q.items[X];if(t0.isPair(J))continue;else if(t0.isMap(J)){if(J.items.length>1)Z("Each pair must have its own sequence indicator");let $=J.items[0]||new V9.Pair(new YJ.Scalar(null));if(J.commentBefore)$.key.commentBefore=$.key.commentBefore?`${J.commentBefore}
|
|
79
|
+
${$.key.commentBefore}`:J.commentBefore;if(J.comment){let Q=$.value??$.key;Q.comment=Q.comment?`${J.comment}
|
|
80
|
+
${Q.comment}`:J.comment}J=$}q.items[X]=t0.isPair(J)?J:new V9.Pair(J)}else Z("Expected a sequence for this tag");return q}function e2(q,Z,X){let{replacer:J}=X,$=new BJ.YAMLSeq(q);$.tag="tag:yaml.org,2002:pairs";let Q=0;if(Z&&Symbol.iterator in Object(Z))for(let z of Z){if(typeof J==="function")z=J.call(Z,String(Q++),z);let H,U;if(Array.isArray(z))if(z.length===2)H=z[0],U=z[1];else throw TypeError(`Expected [key, value] tuple: ${z}`);else if(z&&z instanceof Object){let G=Object.keys(z);if(G.length===1)H=G[0],U=z[H];else throw TypeError(`Expected tuple with one key, not ${G.length} keys`)}else H=z;$.items.push(V9.createPair(H,U,X))}return $}var TJ={collection:"seq",default:!1,tag:"tag:yaml.org,2002:pairs",resolve:t2,createNode:e2};_J.createPairs=e2;_J.pairs=TJ;_J.resolvePairs=t2});var M9=D((MJ)=>{var q3=S(),I9=Z1(),q0=z1(),VJ=H1(),Z3=e0();class M1 extends VJ.YAMLSeq{constructor(){super();this.add=q0.YAMLMap.prototype.add.bind(this),this.delete=q0.YAMLMap.prototype.delete.bind(this),this.get=q0.YAMLMap.prototype.get.bind(this),this.has=q0.YAMLMap.prototype.has.bind(this),this.set=q0.YAMLMap.prototype.set.bind(this),this.tag=M1.tag}toJSON(q,Z){if(!Z)return super.toJSON(q);let X=new Map;if(Z?.onCreate)Z.onCreate(X);for(let J of this.items){let $,Q;if(q3.isPair(J))$=I9.toJS(J.key,"",Z),Q=I9.toJS(J.value,$,Z);else $=I9.toJS(J,"",Z);if(X.has($))throw Error("Ordered maps must not include duplicate keys");X.set($,Q)}return X}static from(q,Z,X){let J=Z3.createPairs(q,Z,X),$=new this;return $.items=J.items,$}}M1.tag="tag:yaml.org,2002:omap";var IJ={collection:"seq",identify:(q)=>q instanceof Map,nodeClass:M1,default:!1,tag:"tag:yaml.org,2002:omap",resolve(q,Z){let X=Z3.resolvePairs(q,Z),J=[];for(let{key:$}of X.items)if(q3.isScalar($))if(J.includes($.value))Z(`Ordered maps must not include duplicate keys: ${$.value}`);else J.push($.value);return Object.assign(new M1,X)},createNode:(q,Z,X)=>M1.from(q,Z,X)};MJ.YAMLOMap=M1;MJ.omap=IJ});var z3=D((DJ)=>{var X3=C();function J3({value:q,source:Z},X){if(Z&&(q?$3:Q3).test.test(Z))return Z;return q?X.options.trueStr:X.options.falseStr}var $3={identify:(q)=>q===!0,default:!0,tag:"tag:yaml.org,2002:bool",test:/^(?:Y|y|[Yy]es|YES|[Tt]rue|TRUE|[Oo]n|ON)$/,resolve:()=>new X3.Scalar(!0),stringify:J3},Q3={identify:(q)=>q===!1,default:!0,tag:"tag:yaml.org,2002:bool",test:/^(?:N|n|[Nn]o|NO|[Ff]alse|FALSE|[Oo]ff|OFF)$/,resolve:()=>new X3.Scalar(!1),stringify:J3};DJ.falseTag=Q3;DJ.trueTag=$3});var H3=D((bJ)=>{var NJ=C(),K9=f1(),AJ={identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",test:/^(?:[-+]?\.(?:inf|Inf|INF)|\.nan|\.NaN|\.NAN)$/,resolve:(q)=>q.slice(-3).toLowerCase()==="nan"?NaN:q[0]==="-"?Number.NEGATIVE_INFINITY:Number.POSITIVE_INFINITY,stringify:K9.stringifyNumber},SJ={identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",format:"EXP",test:/^[-+]?(?:[0-9][0-9_]*)?(?:\.[0-9_]*)?[eE][-+]?[0-9]+$/,resolve:(q)=>parseFloat(q.replace(/_/g,"")),stringify(q){let Z=Number(q.value);return isFinite(Z)?Z.toExponential():K9.stringifyNumber(q)}},wJ={identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",test:/^[-+]?(?:[0-9][0-9_]*)?\.[0-9_]*$/,resolve(q){let Z=new NJ.Scalar(parseFloat(q.replace(/_/g,""))),X=q.indexOf(".");if(X!==-1){let J=q.substring(X+1).replace(/_/g,"");if(J[J.length-1]==="0")Z.minFractionDigits=J.length}return Z},stringify:K9.stringifyNumber};bJ.float=wJ;bJ.floatExp=SJ;bJ.floatNaN=AJ});var G3=D((vJ)=>{var U3=f1(),Z0=(q)=>typeof q==="bigint"||Number.isInteger(q);function qq(q,Z,X,{intAsBigInt:J}){let $=q[0];if($==="-"||$==="+")Z+=1;if(q=q.substring(Z).replace(/_/g,""),J){switch(X){case 2:q=`0b${q}`;break;case 8:q=`0o${q}`;break;case 16:q=`0x${q}`;break}let z=BigInt(q);return $==="-"?BigInt(-1)*z:z}let Q=parseInt(q,X);return $==="-"?-1*Q:Q}function P9(q,Z,X){let{value:J}=q;if(Z0(J)){let $=J.toString(Z);return J<0?"-"+X+$.substr(1):X+$}return U3.stringifyNumber(q)}var fJ={identify:Z0,default:!0,tag:"tag:yaml.org,2002:int",format:"BIN",test:/^[-+]?0b[0-1_]+$/,resolve:(q,Z,X)=>qq(q,2,2,X),stringify:(q)=>P9(q,2,"0b")},yJ={identify:Z0,default:!0,tag:"tag:yaml.org,2002:int",format:"OCT",test:/^[-+]?0[0-7_]+$/,resolve:(q,Z,X)=>qq(q,1,8,X),stringify:(q)=>P9(q,8,"0")},xJ={identify:Z0,default:!0,tag:"tag:yaml.org,2002:int",test:/^[-+]?[0-9][0-9_]*$/,resolve:(q,Z,X)=>qq(q,0,10,X),stringify:U3.stringifyNumber},kJ={identify:Z0,default:!0,tag:"tag:yaml.org,2002:int",format:"HEX",test:/^[-+]?0x[0-9a-fA-F_]+$/,resolve:(q,Z,X)=>qq(q,2,16,X),stringify:(q)=>P9(q,16,"0x")};vJ.int=xJ;vJ.intBin=fJ;vJ.intHex=kJ;vJ.intOct=yJ});var D9=D((lJ)=>{var Jq=S(),Zq=$1(),Xq=z1();class K1 extends Xq.YAMLMap{constructor(q){super(q);this.tag=K1.tag}add(q){let Z;if(Jq.isPair(q))Z=q;else if(q&&typeof q==="object"&&"key"in q&&"value"in q&&q.value===null)Z=new Zq.Pair(q.key,null);else Z=new Zq.Pair(q,null);if(!Xq.findPair(this.items,Z.key))this.items.push(Z)}get(q,Z){let X=Xq.findPair(this.items,q);return!Z&&Jq.isPair(X)?Jq.isScalar(X.key)?X.key.value:X.key:X}set(q,Z){if(typeof Z!=="boolean")throw Error(`Expected boolean value for set(key, value) in a YAML set, not ${typeof Z}`);let X=Xq.findPair(this.items,q);if(X&&!Z)this.items.splice(this.items.indexOf(X),1);else if(!X&&Z)this.items.push(new Zq.Pair(q))}toJSON(q,Z){return super.toJSON(q,Z,Set)}toString(q,Z,X){if(!q)return JSON.stringify(this);if(this.hasAllNullValues(!0))return super.toString(Object.assign({},q,{allNullValues:!0}),Z,X);else throw Error("Set items must all have null values")}static from(q,Z,X){let{replacer:J}=X,$=new this(q);if(Z&&Symbol.iterator in Object(Z))for(let Q of Z){if(typeof J==="function")Q=J.call(Z,Q,Q);$.items.push(Zq.createPair(Q,null,X))}return $}}K1.tag="tag:yaml.org,2002:set";var dJ={collection:"map",identify:(q)=>q instanceof Set,nodeClass:K1,default:!1,tag:"tag:yaml.org,2002:set",createNode:(q,Z,X)=>K1.from(q,Z,X),resolve(q,Z){if(Jq.isMap(q))if(q.hasAllNullValues(!0))return Object.assign(new K1,q);else Z("Set items must all have null values");else Z("Expected a mapping for this tag");return q}};lJ.YAMLSet=K1;lJ.set=dJ});var O9=D((rJ)=>{var iJ=f1();function F9(q,Z){let X=q[0],J=X==="-"||X==="+"?q.substring(1):q,$=(z)=>Z?BigInt(z):Number(z),Q=J.replace(/_/g,"").split(":").reduce((z,H)=>z*$(60)+$(H),$(0));return X==="-"?$(-1)*Q:Q}function Y3(q){let{value:Z}=q,X=(z)=>z;if(typeof Z==="bigint")X=(z)=>BigInt(z);else if(isNaN(Z)||!isFinite(Z))return iJ.stringifyNumber(q);let J="";if(Z<0)J="-",Z*=X(-1);let $=X(60),Q=[Z%$];if(Z<60)Q.unshift(0);else if(Z=(Z-Q[0])/$,Q.unshift(Z%$),Z>=60)Z=(Z-Q[0])/$,Q.unshift(Z);return J+Q.map((z)=>String(z).padStart(2,"0")).join(":").replace(/000000\d*$/,"")}var aJ={identify:(q)=>typeof q==="bigint"||Number.isInteger(q),default:!0,tag:"tag:yaml.org,2002:int",format:"TIME",test:/^[-+]?[0-9][0-9_]*(?::[0-5]?[0-9])+$/,resolve:(q,Z,{intAsBigInt:X})=>F9(q,X),stringify:Y3},sJ={identify:(q)=>typeof q==="number",default:!0,tag:"tag:yaml.org,2002:float",format:"TIME",test:/^[-+]?[0-9][0-9_]*(?::[0-5]?[0-9])+\.[0-9_]*$/,resolve:(q)=>F9(q,!1),stringify:Y3},B3={identify:(q)=>q instanceof Date,default:!0,tag:"tag:yaml.org,2002:timestamp",test:RegExp("^([0-9]{4})-([0-9]{1,2})-([0-9]{1,2})(?:(?:t|T|[ \\t]+)([0-9]{1,2}):([0-9]{1,2}):([0-9]{1,2}(\\.[0-9]+)?)(?:[ \\t]*(Z|[-+][012]?[0-9](?::[0-9]{2})?))?)?$"),resolve(q){let Z=q.match(B3.test);if(!Z)throw Error("!!timestamp expects a date, starting with yyyy-mm-dd");let[,X,J,$,Q,z,H]=Z.map(Number),U=Z[7]?Number((Z[7]+"00").substr(1,3)):0,G=Date.UTC(X,J-1,$,Q||0,z||0,H||0,U),Y=Z[8];if(Y&&Y!=="Z"){let B=F9(Y,!1);if(Math.abs(B)<30)B*=60;G-=60000*B}return new Date(G)},stringify:({value:q})=>q?.toISOString().replace(/(T00:00:00)?\.000Z$/,"")??""};rJ.floatTime=sJ;rJ.intTime=aJ;rJ.timestamp=B3});var _3=D((G$)=>{var eJ=E1(),q$=r0(),Z$=C1(),X$=t1(),J$=R9(),T3=z3(),N9=H3(),$q=G3(),$$=m0(),Q$=M9(),z$=e0(),H$=D9(),A9=O9(),U$=[eJ.map,Z$.seq,X$.string,q$.nullTag,T3.trueTag,T3.falseTag,$q.intBin,$q.intOct,$q.int,$q.intHex,N9.floatNaN,N9.floatExp,N9.float,J$.binary,$$.merge,Q$.omap,z$.pairs,H$.set,A9.intTime,A9.floatTime,A9.timestamp];G$.schema=U$});var F3=D((I$)=>{var V3=E1(),B$=r0(),I3=C1(),T$=t1(),_$=U9(),S9=Y9(),w9=T9(),L$=r2(),W$=o2(),M3=R9(),X0=m0(),K3=M9(),P3=e0(),L3=_3(),D3=D9(),Qq=O9(),W3=new Map([["core",L$.schema],["failsafe",[V3.map,I3.seq,T$.string]],["json",W$.schema],["yaml11",L3.schema],["yaml-1.1",L3.schema]]),R3={binary:M3.binary,bool:_$.boolTag,float:S9.float,floatExp:S9.floatExp,floatNaN:S9.floatNaN,floatTime:Qq.floatTime,int:w9.int,intHex:w9.intHex,intOct:w9.intOct,intTime:Qq.intTime,map:V3.map,merge:X0.merge,null:B$.nullTag,omap:K3.omap,pairs:P3.pairs,seq:I3.seq,set:D3.set,timestamp:Qq.timestamp},R$={"tag:yaml.org,2002:binary":M3.binary,"tag:yaml.org,2002:merge":X0.merge,"tag:yaml.org,2002:omap":K3.omap,"tag:yaml.org,2002:pairs":P3.pairs,"tag:yaml.org,2002:set":D3.set,"tag:yaml.org,2002:timestamp":Qq.timestamp};function V$(q,Z,X){let J=W3.get(Z);if(J&&!q)return X&&!J.includes(X0.merge)?J.concat(X0.merge):J.slice();let $=J;if(!$)if(Array.isArray(q))$=[];else{let Q=Array.from(W3.keys()).filter((z)=>z!=="yaml11").map((z)=>JSON.stringify(z)).join(", ");throw Error(`Unknown schema "${Z}"; use one of ${Q} or define customTags array`)}if(Array.isArray(q))for(let Q of q)$=$.concat(Q);else if(typeof q==="function")$=q($.slice());if(X)$=$.concat(X0.merge);return $.reduce((Q,z)=>{let H=typeof z==="string"?R3[z]:z;if(!H){let U=JSON.stringify(z),G=Object.keys(R3).map((Y)=>JSON.stringify(Y)).join(", ");throw Error(`Unknown custom tag ${U}; use one of ${G}`)}if(!Q.includes(H))Q.push(H);return Q},[])}I$.coreKnownTags=R$;I$.getTags=V$});var E9=D((N$)=>{var b9=S(),P$=E1(),D$=C1(),F$=t1(),zq=F3(),O$=(q,Z)=>q.key<Z.key?-1:q.key>Z.key?1:0;class j9{constructor({compat:q,customTags:Z,merge:X,resolveKnownTags:J,schema:$,sortMapEntries:Q,toStringDefaults:z}){this.compat=Array.isArray(q)?zq.getTags(q,"compat"):q?zq.getTags(null,q):null,this.name=typeof $==="string"&&$||"core",this.knownTags=J?zq.coreKnownTags:{},this.tags=zq.getTags(Z,this.name,X),this.toStringOptions=z??null,Object.defineProperty(this,b9.MAP,{value:P$.map}),Object.defineProperty(this,b9.SCALAR,{value:F$.string}),Object.defineProperty(this,b9.SEQ,{value:D$.seq}),this.sortMapEntries=typeof Q==="function"?Q:Q===!0?O$:null}clone(){let q=Object.create(j9.prototype,Object.getOwnPropertyDescriptors(this));return q.tags=this.tags.slice(),q}}N$.Schema=j9});var O3=D((b$)=>{var S$=S(),C9=s1(),J0=c1();function w$(q,Z){let X=[],J=Z.directives===!0;if(Z.directives!==!1&&q.directives){let U=q.directives.toString(q);if(U)X.push(U),J=!0;else if(q.directives.docStart)J=!0}if(J)X.push("---");let $=C9.createStringifyContext(q,Z),{commentString:Q}=$.options;if(q.commentBefore){if(X.length!==1)X.unshift("");let U=Q(q.commentBefore);X.unshift(J0.indentComment(U,""))}let z=!1,H=null;if(q.contents){if(S$.isNode(q.contents)){if(q.contents.spaceBefore&&J)X.push("");if(q.contents.commentBefore){let Y=Q(q.contents.commentBefore);X.push(J0.indentComment(Y,""))}$.forceBlockIndent=!!q.comment,H=q.contents.comment}let U=H?void 0:()=>z=!0,G=C9.stringify(q.contents,$,()=>H=null,U);if(H)G+=J0.lineComment(G,"",Q(H));if((G[0]==="|"||G[0]===">")&&X[X.length-1]==="---")X[X.length-1]=`--- ${G}`;else X.push(G)}else X.push(C9.stringify(q.contents,$));if(q.directives?.docEnd)if(q.comment){let U=Q(q.comment);if(U.includes(`
|
|
81
|
+
`))X.push("..."),X.push(J0.indentComment(U,""));else X.push(`... ${U}`)}else X.push("...");else{let U=q.comment;if(U&&z)U=U.replace(/^\n+/,"");if(U){if((!z||H)&&X[X.length-1]!=="")X.push("");X.push(J0.indentComment(Q(U),""))}}return X.join(`
|
|
82
|
+
`)+`
|
|
83
|
+
`}b$.stringifyDocument=w$});var $0=D((h$)=>{var E$=l1(),y1=x0(),u=S(),C$=$1(),f$=Z1(),y$=E9(),x$=O3(),f9=C0(),k$=tq(),v$=p1(),y9=oq();class x9{constructor(q,Z,X){this.commentBefore=null,this.comment=null,this.errors=[],this.warnings=[],Object.defineProperty(this,u.NODE_TYPE,{value:u.DOC});let J=null;if(typeof Z==="function"||Array.isArray(Z))J=Z;else if(X===void 0&&Z)X=Z,Z=void 0;let $=Object.assign({intAsBigInt:!1,keepSourceTokens:!1,logLevel:"warn",prettyErrors:!0,strict:!0,stringKeys:!1,uniqueKeys:!0,version:"1.2"},X);this.options=$;let{version:Q}=$;if(X?._directives){if(this.directives=X._directives.atDocument(),this.directives.yaml.explicit)Q=this.directives.yaml.version}else this.directives=new y9.Directives({version:Q});this.setSchema(Q,X),this.contents=q===void 0?null:this.createNode(q,J,X)}clone(){let q=Object.create(x9.prototype,{[u.NODE_TYPE]:{value:u.DOC}});if(q.commentBefore=this.commentBefore,q.comment=this.comment,q.errors=this.errors.slice(),q.warnings=this.warnings.slice(),q.options=Object.assign({},this.options),this.directives)q.directives=this.directives.clone();if(q.schema=this.schema.clone(),q.contents=u.isNode(this.contents)?this.contents.clone(q.schema):this.contents,this.range)q.range=this.range.slice();return q}add(q){if(x1(this.contents))this.contents.add(q)}addIn(q,Z){if(x1(this.contents))this.contents.addIn(q,Z)}createAlias(q,Z){if(!q.anchor){let X=f9.anchorNames(this);q.anchor=!Z||X.has(Z)?f9.findNewAnchor(Z||"a",X):Z}return new E$.Alias(q.anchor)}createNode(q,Z,X){let J=void 0;if(typeof Z==="function")q=Z.call({"":q},"",q),J=Z;else if(Array.isArray(Z)){let T=(I)=>typeof I==="number"||I instanceof String||I instanceof Number,L=Z.filter(T).map(String);if(L.length>0)Z=Z.concat(L);J=Z}else if(X===void 0&&Z)X=Z,Z=void 0;let{aliasDuplicateObjects:$,anchorPrefix:Q,flow:z,keepUndefined:H,onTagObj:U,tag:G}=X??{},{onAnchor:Y,setAnchors:B,sourceObjects:_}=f9.createNodeAnchors(this,Q||"a"),R={aliasDuplicateObjects:$??!0,keepUndefined:H??!1,onAnchor:Y,onTagObj:U,replacer:J,schema:this.schema,sourceObjects:_},W=v$.createNode(q,G,R);if(z&&u.isCollection(W))W.flow=!0;return B(),W}createPair(q,Z,X={}){let J=this.createNode(q,null,X),$=this.createNode(Z,null,X);return new C$.Pair(J,$)}delete(q){return x1(this.contents)?this.contents.delete(q):!1}deleteIn(q){if(y1.isEmptyPath(q)){if(this.contents==null)return!1;return this.contents=null,!0}return x1(this.contents)?this.contents.deleteIn(q):!1}get(q,Z){return u.isCollection(this.contents)?this.contents.get(q,Z):void 0}getIn(q,Z){if(y1.isEmptyPath(q))return!Z&&u.isScalar(this.contents)?this.contents.value:this.contents;return u.isCollection(this.contents)?this.contents.getIn(q,Z):void 0}has(q){return u.isCollection(this.contents)?this.contents.has(q):!1}hasIn(q){if(y1.isEmptyPath(q))return this.contents!==void 0;return u.isCollection(this.contents)?this.contents.hasIn(q):!1}set(q,Z){if(this.contents==null)this.contents=y1.collectionFromPath(this.schema,[q],Z);else if(x1(this.contents))this.contents.set(q,Z)}setIn(q,Z){if(y1.isEmptyPath(q))this.contents=Z;else if(this.contents==null)this.contents=y1.collectionFromPath(this.schema,Array.from(q),Z);else if(x1(this.contents))this.contents.setIn(q,Z)}setSchema(q,Z={}){if(typeof q==="number")q=String(q);let X;switch(q){case"1.1":if(this.directives)this.directives.yaml.version="1.1";else this.directives=new y9.Directives({version:"1.1"});X={resolveKnownTags:!1,schema:"yaml-1.1"};break;case"1.2":case"next":if(this.directives)this.directives.yaml.version=q;else this.directives=new y9.Directives({version:q});X={resolveKnownTags:!0,schema:"core"};break;case null:if(this.directives)delete this.directives;X=null;break;default:{let J=JSON.stringify(q);throw Error(`Expected '1.1', '1.2' or null as first argument, but found: ${J}`)}}if(Z.schema instanceof Object)this.schema=Z.schema;else if(X)this.schema=new y$.Schema(Object.assign(X,Z));else throw Error("With a null YAML version, the { schema: Schema } option is required")}toJS({json:q,jsonArg:Z,mapAsMap:X,maxAliasCount:J,onAnchor:$,reviver:Q}={}){let z={anchors:new Map,doc:this,keep:!q,mapAsMap:X===!0,mapKeyWarned:!1,maxAliasCount:typeof J==="number"?J:100},H=f$.toJS(this.contents,Z??"",z);if(typeof $==="function")for(let{count:U,res:G}of z.anchors.values())$(G,U);return typeof Q==="function"?k$.applyReviver(Q,{"":H},"",H):H}toJSON(q,Z){return this.toJS({json:!0,jsonArg:q,mapAsMap:!1,onAnchor:Z})}toString(q={}){if(this.errors.length>0)throw Error("Document with errors cannot be stringified");if("indent"in q&&(!Number.isInteger(q.indent)||Number(q.indent)<=0)){let Z=JSON.stringify(q.indent);throw Error(`"indent" option must be a positive integer, not ${Z}`)}return x$.stringifyDocument(this,q)}}function x1(q){if(u.isCollection(q))return!0;throw Error("Expected a YAML collection as document contents")}h$.Document=x9});var Q0=D((m$)=>{class Hq extends Error{constructor(q,Z,X,J){super();this.name=q,this.code=X,this.message=J,this.pos=Z}}class N3 extends Hq{constructor(q,Z,X){super("YAMLParseError",q,Z,X)}}class A3 extends Hq{constructor(q,Z,X){super("YAMLWarning",q,Z,X)}}var u$=(q,Z)=>(X)=>{if(X.pos[0]===-1)return;X.linePos=X.pos.map((H)=>Z.linePos(H));let{line:J,col:$}=X.linePos[0];X.message+=` at line ${J}, column ${$}`;let Q=$-1,z=q.substring(Z.lineStarts[J-1],Z.lineStarts[J]).replace(/[\n\r]+$/,"");if(Q>=60&&z.length>80){let H=Math.min(Q-39,z.length-79);z="…"+z.substring(H),Q-=H-1}if(z.length>80)z=z.substring(0,79)+"…";if(J>1&&/^ *$/.test(z.substring(0,Q))){let H=q.substring(Z.lineStarts[J-2],Z.lineStarts[J-1]);if(H.length>80)H=H.substring(0,79)+`…
|
|
84
|
+
`;z=H+z}if(/[^ ]/.test(z)){let H=1,U=X.linePos[1];if(U?.line===J&&U.col>$)H=Math.max(1,Math.min(U.col-$,80-Q));let G=" ".repeat(Q)+"^".repeat(H);X.message+=`:
|
|
85
|
+
|
|
86
|
+
${z}
|
|
87
|
+
${G}
|
|
88
|
+
`}};m$.YAMLError=Hq;m$.YAMLParseError=N3;m$.YAMLWarning=A3;m$.prettifyError=u$});var z0=D((a$)=>{function i$(q,{flow:Z,indicator:X,next:J,offset:$,onError:Q,parentIndent:z,startOnNewline:H}){let U=!1,G=H,Y=H,B="",_="",R=!1,W=!1,T=null,L=null,I=null,M=null,P=null,O=null,N=null;for(let V of q){if(W){if(V.type!=="space"&&V.type!=="newline"&&V.type!=="comma")Q(V.offset,"MISSING_CHAR","Tags and anchors must be separated from the next token by white space");W=!1}if(T){if(G&&V.type!=="comment"&&V.type!=="newline")Q(T,"TAB_AS_INDENT","Tabs are not allowed as indentation");T=null}switch(V.type){case"space":if(!Z&&(X!=="doc-start"||J?.type!=="flow-collection")&&V.source.includes("\t"))T=V;Y=!0;break;case"comment":{if(!Y)Q(V,"MISSING_CHAR","Comments must be separated from other tokens by white space characters");let w=V.source.substring(1)||" ";if(!B)B=w;else B+=_+w;_="",G=!1;break}case"newline":if(G){if(B)B+=V.source;else if(!O||X!=="seq-item-ind")U=!0}else _+=V.source;if(G=!0,R=!0,L||I)M=V;Y=!0;break;case"anchor":if(L)Q(V,"MULTIPLE_ANCHORS","A node can have at most one anchor");if(V.source.endsWith(":"))Q(V.offset+V.source.length-1,"BAD_ALIAS","Anchor ending in : is ambiguous",!0);L=V,N??(N=V.offset),G=!1,Y=!1,W=!0;break;case"tag":{if(I)Q(V,"MULTIPLE_TAGS","A node can have at most one tag");I=V,N??(N=V.offset),G=!1,Y=!1,W=!0;break}case X:if(L||I)Q(V,"BAD_PROP_ORDER",`Anchors and tags must be after the ${V.source} indicator`);if(O)Q(V,"UNEXPECTED_TOKEN",`Unexpected ${V.source} in ${Z??"collection"}`);O=V,G=X==="seq-item-ind"||X==="explicit-key-ind",Y=!1;break;case"comma":if(Z){if(P)Q(V,"UNEXPECTED_TOKEN",`Unexpected , in ${Z}`);P=V,G=!1,Y=!1;break}default:Q(V,"UNEXPECTED_TOKEN",`Unexpected ${V.type} token`),G=!1,Y=!1}}let A=q[q.length-1],K=A?A.offset+A.source.length:$;if(W&&J&&J.type!=="space"&&J.type!=="newline"&&J.type!=="comma"&&(J.type!=="scalar"||J.source!==""))Q(J.offset,"MISSING_CHAR","Tags and anchors must be separated from the next token by white space");if(T&&(G&&T.indent<=z||J?.type==="block-map"||J?.type==="block-seq"))Q(T,"TAB_AS_INDENT","Tabs are not allowed as indentation");return{comma:P,found:O,spaceBefore:U,comment:B,hasNewline:R,anchor:L,tag:I,newlineAfterProp:M,end:K,start:N??K}}a$.resolveProps=i$});var Uq=D((r$)=>{function k9(q){if(!q)return null;switch(q.type){case"alias":case"scalar":case"double-quoted-scalar":case"single-quoted-scalar":if(q.source.includes(`
|
|
89
|
+
`))return!0;if(q.end){for(let Z of q.end)if(Z.type==="newline")return!0}return!1;case"flow-collection":for(let Z of q.items){for(let X of Z.start)if(X.type==="newline")return!0;if(Z.sep){for(let X of Z.sep)if(X.type==="newline")return!0}if(k9(Z.key)||k9(Z.value))return!0}return!1;default:return!0}}r$.containsNewline=k9});var v9=D((e$)=>{var o$=Uq();function t$(q,Z,X){if(Z?.type==="flow-collection"){let J=Z.end[0];if(J.indent===q&&(J.source==="]"||J.source==="}")&&o$.containsNewline(Z))X(J,"BAD_INDENT","Flow end indicator should be more indented than parent",!0)}}e$.flowIndentCheck=t$});var h9=D((XQ)=>{var S3=S();function ZQ(q,Z,X){let{uniqueKeys:J}=q.options;if(J===!1)return!1;let $=typeof J==="function"?J:(Q,z)=>Q===z||S3.isScalar(Q)&&S3.isScalar(z)&&Q.value===z.value;return Z.some((Q)=>$(Q.key,X))}XQ.mapIncludes=ZQ});var C3=D((UQ)=>{var w3=$1(),$Q=z1(),b3=z0(),QQ=Uq(),j3=v9(),zQ=h9(),E3="All mapping items must start at the same column";function HQ({composeNode:q,composeEmptyNode:Z},X,J,$,Q){let H=new(Q?.nodeClass??$Q.YAMLMap)(X.schema);if(X.atRoot)X.atRoot=!1;let U=J.offset,G=null;for(let Y of J.items){let{start:B,key:_,sep:R,value:W}=Y,T=b3.resolveProps(B,{indicator:"explicit-key-ind",next:_??R?.[0],offset:U,onError:$,parentIndent:J.indent,startOnNewline:!0}),L=!T.found;if(L){if(_){if(_.type==="block-seq")$(U,"BLOCK_AS_IMPLICIT_KEY","A block sequence may not be used as an implicit map key");else if("indent"in _&&_.indent!==J.indent)$(U,"BAD_INDENT",E3)}if(!T.anchor&&!T.tag&&!R){if(G=T.end,T.comment)if(H.comment)H.comment+=`
|
|
90
|
+
`+T.comment;else H.comment=T.comment;continue}if(T.newlineAfterProp||QQ.containsNewline(_))$(_??B[B.length-1],"MULTILINE_IMPLICIT_KEY","Implicit keys need to be on a single line")}else if(T.found?.indent!==J.indent)$(U,"BAD_INDENT",E3);X.atKey=!0;let I=T.end,M=_?q(X,_,T,$):Z(X,I,B,null,T,$);if(X.schema.compat)j3.flowIndentCheck(J.indent,_,$);if(X.atKey=!1,zQ.mapIncludes(X,H.items,M))$(I,"DUPLICATE_KEY","Map keys must be unique");let P=b3.resolveProps(R??[],{indicator:"map-value-ind",next:W,offset:M.range[2],onError:$,parentIndent:J.indent,startOnNewline:!_||_.type==="block-scalar"});if(U=P.end,P.found){if(L){if(W?.type==="block-map"&&!P.hasNewline)$(U,"BLOCK_AS_IMPLICIT_KEY","Nested mappings are not allowed in compact mappings");if(X.options.strict&&T.start<P.found.offset-1024)$(M.range,"KEY_OVER_1024_CHARS","The : indicator must be at most 1024 chars after the start of an implicit block mapping key")}let O=W?q(X,W,P,$):Z(X,U,R,null,P,$);if(X.schema.compat)j3.flowIndentCheck(J.indent,W,$);U=O.range[2];let N=new w3.Pair(M,O);if(X.options.keepSourceTokens)N.srcToken=Y;H.items.push(N)}else{if(L)$(M.range,"MISSING_CHAR","Implicit map keys need to be followed by map values");if(P.comment)if(M.comment)M.comment+=`
|
|
91
|
+
`+P.comment;else M.comment=P.comment;let O=new w3.Pair(M);if(X.options.keepSourceTokens)O.srcToken=Y;H.items.push(O)}}if(G&&G<U)$(G,"IMPOSSIBLE","Map comment with trailing content");return H.range=[J.offset,U,G??U],H}UQ.resolveBlockMap=HQ});var f3=D((LQ)=>{var YQ=H1(),BQ=z0(),TQ=v9();function _Q({composeNode:q,composeEmptyNode:Z},X,J,$,Q){let H=new(Q?.nodeClass??YQ.YAMLSeq)(X.schema);if(X.atRoot)X.atRoot=!1;if(X.atKey)X.atKey=!1;let U=J.offset,G=null;for(let{start:Y,value:B}of J.items){let _=BQ.resolveProps(Y,{indicator:"seq-item-ind",next:B,offset:U,onError:$,parentIndent:J.indent,startOnNewline:!0});if(!_.found)if(_.anchor||_.tag||B)if(B?.type==="block-seq")$(_.end,"BAD_INDENT","All sequence items must start at the same column");else $(U,"MISSING_CHAR","Sequence item without - indicator");else{if(G=_.end,_.comment)H.comment=_.comment;continue}let R=B?q(X,B,_,$):Z(X,_.end,Y,null,_,$);if(X.schema.compat)TQ.flowIndentCheck(J.indent,B,$);U=R.range[2],H.items.push(R)}return H.range=[J.offset,U,G??U],H}LQ.resolveBlockSeq=_Q});var k1=D((VQ)=>{function RQ(q,Z,X,J){let $="";if(q){let Q=!1,z="";for(let H of q){let{source:U,type:G}=H;switch(G){case"space":Q=!0;break;case"comment":{if(X&&!Q)J(H,"MISSING_CHAR","Comments must be separated from other tokens by white space characters");let Y=U.substring(1)||" ";if(!$)$=Y;else $+=z+Y;z="";break}case"newline":if($)z+=U;Q=!0;break;default:J(H,"UNEXPECTED_TOKEN",`Unexpected ${G} at node end`)}Z+=U.length}}return{comment:$,offset:Z}}VQ.resolveEnd=RQ});var k3=D((AQ)=>{var MQ=S(),KQ=$1(),y3=z1(),PQ=H1(),DQ=k1(),x3=z0(),FQ=Uq(),OQ=h9(),g9="Block collections are not allowed within flow collections",u9=(q)=>q&&(q.type==="block-map"||q.type==="block-seq");function NQ({composeNode:q,composeEmptyNode:Z},X,J,$,Q){let z=J.start.source==="{",H=z?"flow map":"flow sequence",G=new(Q?.nodeClass??(z?y3.YAMLMap:PQ.YAMLSeq))(X.schema);G.flow=!0;let Y=X.atRoot;if(Y)X.atRoot=!1;if(X.atKey)X.atKey=!1;let B=J.offset+J.start.source.length;for(let L=0;L<J.items.length;++L){let I=J.items[L],{start:M,key:P,sep:O,value:N}=I,A=x3.resolveProps(M,{flow:H,indicator:"explicit-key-ind",next:P??O?.[0],offset:B,onError:$,parentIndent:J.indent,startOnNewline:!1});if(!A.found){if(!A.anchor&&!A.tag&&!O&&!N){if(L===0&&A.comma)$(A.comma,"UNEXPECTED_TOKEN",`Unexpected , in ${H}`);else if(L<J.items.length-1)$(A.start,"UNEXPECTED_TOKEN",`Unexpected empty item in ${H}`);if(A.comment)if(G.comment)G.comment+=`
|
|
92
|
+
`+A.comment;else G.comment=A.comment;B=A.end;continue}if(!z&&X.options.strict&&FQ.containsNewline(P))$(P,"MULTILINE_IMPLICIT_KEY","Implicit keys of flow sequence pairs need to be on a single line")}if(L===0){if(A.comma)$(A.comma,"UNEXPECTED_TOKEN",`Unexpected , in ${H}`)}else{if(!A.comma)$(A.start,"MISSING_CHAR",`Missing , between ${H} items`);if(A.comment){let K="";q:for(let V of M)switch(V.type){case"comma":case"space":break;case"comment":K=V.source.substring(1);break q;default:break q}if(K){let V=G.items[G.items.length-1];if(MQ.isPair(V))V=V.value??V.key;if(V.comment)V.comment+=`
|
|
93
|
+
`+K;else V.comment=K;A.comment=A.comment.substring(K.length+1)}}}if(!z&&!O&&!A.found){let K=N?q(X,N,A,$):Z(X,A.end,O,null,A,$);if(G.items.push(K),B=K.range[2],u9(N))$(K.range,"BLOCK_IN_FLOW",g9)}else{X.atKey=!0;let K=A.end,V=P?q(X,P,A,$):Z(X,K,M,null,A,$);if(u9(P))$(V.range,"BLOCK_IN_FLOW",g9);X.atKey=!1;let w=x3.resolveProps(O??[],{flow:H,indicator:"map-value-ind",next:N,offset:V.range[2],onError:$,parentIndent:J.indent,startOnNewline:!1});if(w.found){if(!z&&!A.found&&X.options.strict){if(O)for(let E of O){if(E===w.found)break;if(E.type==="newline"){$(E,"MULTILINE_IMPLICIT_KEY","Implicit keys of flow sequence pairs need to be on a single line");break}}if(A.start<w.found.offset-1024)$(w.found,"KEY_OVER_1024_CHARS","The : indicator must be at most 1024 chars after the start of an implicit flow sequence key")}}else if(N)if("source"in N&&N.source?.[0]===":")$(N,"MISSING_CHAR",`Missing space after : in ${H}`);else $(w.start,"MISSING_CHAR",`Missing , or : between ${H} items`);let y=N?q(X,N,w,$):w.found?Z(X,w.end,O,null,w,$):null;if(y){if(u9(N))$(y.range,"BLOCK_IN_FLOW",g9)}else if(w.comment)if(V.comment)V.comment+=`
|
|
94
|
+
`+w.comment;else V.comment=w.comment;let x=new KQ.Pair(V,y);if(X.options.keepSourceTokens)x.srcToken=I;if(z){let E=G;if(OQ.mapIncludes(X,E.items,V))$(K,"DUPLICATE_KEY","Map keys must be unique");E.items.push(x)}else{let E=new y3.YAMLMap(X.schema);E.flow=!0,E.items.push(x);let D0=(y??V).range;E.range=[V.range[0],D0[1],D0[2]],G.items.push(E)}B=y?y.range[2]:w.end}}let _=z?"}":"]",[R,...W]=J.end,T=B;if(R?.source===_)T=R.offset+R.source.length;else{let L=H[0].toUpperCase()+H.substring(1),I=Y?`${L} must end with a ${_}`:`${L} in block collection must be sufficiently indented and end with a ${_}`;if($(B,Y?"MISSING_CHAR":"BAD_INDENT",I),R&&R.source.length!==1)W.unshift(R)}if(W.length>0){let L=DQ.resolveEnd(W,T,X.options.strict,$);if(L.comment)if(G.comment)G.comment+=`
|
|
95
|
+
`+L.comment;else G.comment=L.comment;G.range=[J.offset,T,L.offset]}else G.range=[J.offset,T,T];return G}AQ.resolveFlowCollection=NQ});var v3=D((kQ)=>{var wQ=S(),bQ=C(),jQ=z1(),EQ=H1(),CQ=C3(),fQ=f3(),yQ=k3();function m9(q,Z,X,J,$,Q){let z=X.type==="block-map"?CQ.resolveBlockMap(q,Z,X,J,Q):X.type==="block-seq"?fQ.resolveBlockSeq(q,Z,X,J,Q):yQ.resolveFlowCollection(q,Z,X,J,Q),H=z.constructor;if($==="!"||$===H.tagName)return z.tag=H.tagName,z;if($)z.tag=$;return z}function xQ(q,Z,X,J,$){let Q=J.tag,z=!Q?null:Z.directives.tagName(Q.source,(_)=>$(Q,"TAG_RESOLVE_FAILED",_));if(X.type==="block-seq"){let{anchor:_,newlineAfterProp:R}=J,W=_&&Q?_.offset>Q.offset?_:Q:_??Q;if(W&&(!R||R.offset<W.offset))$(W,"MISSING_CHAR","Missing newline after block sequence props")}let H=X.type==="block-map"?"map":X.type==="block-seq"?"seq":X.start.source==="{"?"map":"seq";if(!Q||!z||z==="!"||z===jQ.YAMLMap.tagName&&H==="map"||z===EQ.YAMLSeq.tagName&&H==="seq")return m9(q,Z,X,$,z);let U=Z.schema.tags.find((_)=>_.tag===z&&_.collection===H);if(!U){let _=Z.schema.knownTags[z];if(_?.collection===H)Z.schema.tags.push(Object.assign({},_,{default:!1})),U=_;else{if(_)$(Q,"BAD_COLLECTION_TYPE",`${_.tag} used for ${H} collection, but expects ${_.collection??"scalar"}`,!0);else $(Q,"TAG_RESOLVE_FAILED",`Unresolved tag: ${z}`,!0);return m9(q,Z,X,$,z)}}let G=m9(q,Z,X,$,z,U),Y=U.resolve?.(G,(_)=>$(Q,"TAG_RESOLVE_FAILED",_),Z.options)??G,B=wQ.isNode(Y)?Y:new bQ.Scalar(Y);if(B.range=G.range,B.tag=z,U?.format)B.format=U.format;return B}kQ.composeCollection=xQ});var l9=D((mQ)=>{var d9=C();function hQ(q,Z,X){let J=Z.offset,$=gQ(Z,q.options.strict,X);if(!$)return{value:"",type:null,comment:"",range:[J,J,J]};let Q=$.mode===">"?d9.Scalar.BLOCK_FOLDED:d9.Scalar.BLOCK_LITERAL,z=Z.source?uQ(Z.source):[],H=z.length;for(let T=z.length-1;T>=0;--T){let L=z[T][1];if(L===""||L==="\r")H=T;else break}if(H===0){let T=$.chomp==="+"&&z.length>0?`
|
|
96
|
+
`.repeat(Math.max(1,z.length-1)):"",L=J+$.length;if(Z.source)L+=Z.source.length;return{value:T,type:Q,comment:$.comment,range:[J,L,L]}}let U=Z.indent+$.indent,G=Z.offset+$.length,Y=0;for(let T=0;T<H;++T){let[L,I]=z[T];if(I===""||I==="\r"){if($.indent===0&&L.length>U)U=L.length}else{if(L.length<U)X(G+L.length,"MISSING_CHAR","Block scalars with more-indented leading empty lines must use an explicit indentation indicator");if($.indent===0)U=L.length;if(Y=T,U===0&&!q.atRoot)X(G,"BAD_INDENT","Block scalar values in collections must be indented");break}G+=L.length+I.length+1}for(let T=z.length-1;T>=H;--T)if(z[T][0].length>U)H=T+1;let B="",_="",R=!1;for(let T=0;T<Y;++T)B+=z[T][0].slice(U)+`
|
|
97
|
+
`;for(let T=Y;T<H;++T){let[L,I]=z[T];G+=L.length+I.length+1;let M=I[I.length-1]==="\r";if(M)I=I.slice(0,-1);if(I&&L.length<U){let O=`Block scalar lines must not be less indented than their ${$.indent?"explicit indentation indicator":"first line"}`;X(G-I.length-(M?2:1),"BAD_INDENT",O),L=""}if(Q===d9.Scalar.BLOCK_LITERAL)B+=_+L.slice(U)+I,_=`
|
|
98
|
+
`;else if(L.length>U||I[0]==="\t"){if(_===" ")_=`
|
|
99
|
+
`;else if(!R&&_===`
|
|
100
|
+
`)_=`
|
|
101
|
+
|
|
102
|
+
`;B+=_+L.slice(U)+I,_=`
|
|
103
|
+
`,R=!0}else if(I==="")if(_===`
|
|
104
|
+
`)B+=`
|
|
105
|
+
`;else _=`
|
|
106
|
+
`;else B+=_+I,_=" ",R=!1}switch($.chomp){case"-":break;case"+":for(let T=H;T<z.length;++T)B+=`
|
|
107
|
+
`+z[T][0].slice(U);if(B[B.length-1]!==`
|
|
108
|
+
`)B+=`
|
|
109
|
+
`;break;default:B+=`
|
|
110
|
+
`}let W=J+$.length+Z.source.length;return{value:B,type:Q,comment:$.comment,range:[J,W,W]}}function gQ({offset:q,props:Z},X,J){if(Z[0].type!=="block-scalar-header")return J(Z[0],"IMPOSSIBLE","Block scalar header not found"),null;let{source:$}=Z[0],Q=$[0],z=0,H="",U=-1;for(let _=1;_<$.length;++_){let R=$[_];if(!H&&(R==="-"||R==="+"))H=R;else{let W=Number(R);if(!z&&W)z=W;else if(U===-1)U=q+_}}if(U!==-1)J(U,"UNEXPECTED_TOKEN",`Block scalar header includes extra characters: ${$}`);let G=!1,Y="",B=$.length;for(let _=1;_<Z.length;++_){let R=Z[_];switch(R.type){case"space":G=!0;case"newline":B+=R.source.length;break;case"comment":if(X&&!G)J(R,"MISSING_CHAR","Comments must be separated from other tokens by white space characters");B+=R.source.length,Y=R.source.substring(1);break;case"error":J(R,"UNEXPECTED_TOKEN",R.message),B+=R.source.length;break;default:{let W=`Unexpected token in block scalar header: ${R.type}`;J(R,"UNEXPECTED_TOKEN",W);let T=R.source;if(T&&typeof T==="string")B+=T.length}}}return{mode:Q,indent:z,chomp:H,comment:Y,length:B}}function uQ(q){let Z=q.split(/\n( *)/),X=Z[0],J=X.match(/^( *)/),Q=[J?.[1]?[J[1],X.slice(J[1].length)]:["",X]];for(let z=1;z<Z.length;z+=2)Q.push([Z[z],Z[z+1]]);return Q}mQ.resolveBlockScalar=hQ});var c9=D((oQ)=>{var p9=C(),lQ=k1();function pQ(q,Z,X){let{offset:J,type:$,source:Q,end:z}=q,H,U,G=(_,R,W)=>X(J+_,R,W);switch($){case"scalar":H=p9.Scalar.PLAIN,U=cQ(Q,G);break;case"single-quoted-scalar":H=p9.Scalar.QUOTE_SINGLE,U=iQ(Q,G);break;case"double-quoted-scalar":H=p9.Scalar.QUOTE_DOUBLE,U=aQ(Q,G);break;default:return X(q,"UNEXPECTED_TOKEN",`Expected a flow scalar value, but found: ${$}`),{value:"",type:null,comment:"",range:[J,J+Q.length,J+Q.length]}}let Y=J+Q.length,B=lQ.resolveEnd(z,Y,Z,X);return{value:U,type:H,comment:B.comment,range:[J,Y,B.offset]}}function cQ(q,Z){let X="";switch(q[0]){case"\t":X="a tab character";break;case",":X="flow indicator character ,";break;case"%":X="directive indicator character %";break;case"|":case">":{X=`block scalar indicator ${q[0]}`;break}case"@":case"`":{X=`reserved character ${q[0]}`;break}}if(X)Z(0,"BAD_SCALAR_START",`Plain value cannot start with ${X}`);return h3(q)}function iQ(q,Z){if(q[q.length-1]!=="'"||q.length===1)Z(q.length,"MISSING_CHAR","Missing closing 'quote");return h3(q.slice(1,-1)).replace(/''/g,"'")}function h3(q){let Z,X;try{Z=new RegExp(`(.*?)(?<![ ])[ ]*\r?
|
|
111
|
+
`,"sy"),X=new RegExp(`[ ]*(.*?)(?:(?<![ ])[ ]*)?\r?
|
|
112
|
+
`,"sy")}catch{Z=/(.*?)[ \t]*\r?\n/sy,X=/[ \t]*(.*?)[ \t]*\r?\n/sy}let J=Z.exec(q);if(!J)return q;let $=J[1],Q=" ",z=Z.lastIndex;X.lastIndex=z;while(J=X.exec(q)){if(J[1]==="")if(Q===`
|
|
113
|
+
`)$+=Q;else Q=`
|
|
114
|
+
`;else $+=Q+J[1],Q=" ";z=X.lastIndex}let H=/[ \t]*(.*)/sy;return H.lastIndex=z,J=H.exec(q),$+Q+(J?.[1]??"")}function aQ(q,Z){let X="";for(let J=1;J<q.length-1;++J){let $=q[J];if($==="\r"&&q[J+1]===`
|
|
115
|
+
`)continue;if($===`
|
|
116
|
+
`){let{fold:Q,offset:z}=sQ(q,J);X+=Q,J=z}else if($==="\\"){let Q=q[++J],z=rQ[Q];if(z)X+=z;else if(Q===`
|
|
117
|
+
`){Q=q[J+1];while(Q===" "||Q==="\t")Q=q[++J+1]}else if(Q==="\r"&&q[J+1]===`
|
|
118
|
+
`){Q=q[++J+1];while(Q===" "||Q==="\t")Q=q[++J+1]}else if(Q==="x"||Q==="u"||Q==="U"){let H={x:2,u:4,U:8}[Q];X+=nQ(q,J+1,H,Z),J+=H}else{let H=q.substr(J-1,2);Z(J-1,"BAD_DQ_ESCAPE",`Invalid escape sequence ${H}`),X+=H}}else if($===" "||$==="\t"){let Q=J,z=q[J+1];while(z===" "||z==="\t")z=q[++J+1];if(z!==`
|
|
119
|
+
`&&!(z==="\r"&&q[J+2]===`
|
|
120
|
+
`))X+=J>Q?q.slice(Q,J+1):$}else X+=$}if(q[q.length-1]!=='"'||q.length===1)Z(q.length,"MISSING_CHAR",'Missing closing "quote');return X}function sQ(q,Z){let X="",J=q[Z+1];while(J===" "||J==="\t"||J===`
|
|
121
|
+
`||J==="\r"){if(J==="\r"&&q[Z+2]!==`
|
|
122
|
+
`)break;if(J===`
|
|
123
|
+
`)X+=`
|
|
124
|
+
`;Z+=1,J=q[Z+1]}if(!X)X=" ";return{fold:X,offset:Z}}var rQ={"0":"\x00",a:"\x07",b:"\b",e:"\x1B",f:"\f",n:`
|
|
125
|
+
`,r:"\r",t:"\t",v:"\v",N:"
",_:" ",L:"\u2028",P:"\u2029"," ":" ",'"':'"',"/":"/","\\":"\\","\t":"\t"};function nQ(q,Z,X,J){let $=q.substr(Z,X),z=$.length===X&&/^[0-9a-fA-F]+$/.test($)?parseInt($,16):NaN;if(isNaN(z)){let H=q.substr(Z-2,X+2);return J(Z-2,"BAD_DQ_ESCAPE",`Invalid escape sequence ${H}`),H}return String.fromCodePoint(z)}oQ.resolveFlowScalar=pQ});var u3=D(($z)=>{var P1=S(),g3=C(),eQ=l9(),qz=c9();function Zz(q,Z,X,J){let{value:$,type:Q,comment:z,range:H}=Z.type==="block-scalar"?eQ.resolveBlockScalar(q,Z,J):qz.resolveFlowScalar(Z,q.options.strict,J),U=X?q.directives.tagName(X.source,(B)=>J(X,"TAG_RESOLVE_FAILED",B)):null,G;if(q.options.stringKeys&&q.atKey)G=q.schema[P1.SCALAR];else if(U)G=Xz(q.schema,$,U,X,J);else if(Z.type==="scalar")G=Jz(q,$,Z,J);else G=q.schema[P1.SCALAR];let Y;try{let B=G.resolve($,(_)=>J(X??Z,"TAG_RESOLVE_FAILED",_),q.options);Y=P1.isScalar(B)?B:new g3.Scalar(B)}catch(B){let _=B instanceof Error?B.message:String(B);J(X??Z,"TAG_RESOLVE_FAILED",_),Y=new g3.Scalar($)}if(Y.range=H,Y.source=$,Q)Y.type=Q;if(U)Y.tag=U;if(G.format)Y.format=G.format;if(z)Y.comment=z;return Y}function Xz(q,Z,X,J,$){if(X==="!")return q[P1.SCALAR];let Q=[];for(let H of q.tags)if(!H.collection&&H.tag===X)if(H.default&&H.test)Q.push(H);else return H;for(let H of Q)if(H.test?.test(Z))return H;let z=q.knownTags[X];if(z&&!z.collection)return q.tags.push(Object.assign({},z,{default:!1,test:void 0})),z;return $(J,"TAG_RESOLVE_FAILED",`Unresolved tag: ${X}`,X!=="tag:yaml.org,2002:str"),q[P1.SCALAR]}function Jz({atKey:q,directives:Z,schema:X},J,$,Q){let z=X.tags.find((H)=>(H.default===!0||q&&H.default==="key")&&H.test?.test(J))||X[P1.SCALAR];if(X.compat){let H=X.compat.find((U)=>U.default&&U.test?.test(J))??X[P1.SCALAR];if(z.tag!==H.tag){let U=Z.tagString(z.tag),G=Z.tagString(H.tag),Y=`Value may be parsed as either ${U} or ${G}`;Q($,"TAG_RESOLVE_FAILED",Y,!0)}}return z}$z.composeScalar=Zz});var m3=D((Hz)=>{function zz(q,Z,X){if(Z){X??(X=Z.length);for(let J=X-1;J>=0;--J){let $=Z[J];switch($.type){case"space":case"comment":case"newline":q-=$.source.length;continue}$=Z[++J];while($?.type==="space")q+=$.source.length,$=Z[++J];break}}return q}Hz.emptyScalarPosition=zz});var p3=D((Rz)=>{var Gz=l1(),Yz=S(),Bz=v3(),d3=u3(),Tz=k1(),_z=m3(),Lz={composeNode:l3,composeEmptyNode:i9};function l3(q,Z,X,J){let $=q.atKey,{spaceBefore:Q,comment:z,anchor:H,tag:U}=X,G,Y=!0;switch(Z.type){case"alias":if(G=Wz(q,Z,J),H||U)J(Z,"ALIAS_PROPS","An alias node must not specify any properties");break;case"scalar":case"single-quoted-scalar":case"double-quoted-scalar":case"block-scalar":if(G=d3.composeScalar(q,Z,U,J),H)G.anchor=H.source.substring(1);break;case"block-map":case"block-seq":case"flow-collection":if(G=Bz.composeCollection(Lz,q,Z,X,J),H)G.anchor=H.source.substring(1);break;default:{let B=Z.type==="error"?Z.message:`Unsupported token (type: ${Z.type})`;J(Z,"UNEXPECTED_TOKEN",B),G=i9(q,Z.offset,void 0,null,X,J),Y=!1}}if(H&&G.anchor==="")J(H,"BAD_ALIAS","Anchor cannot be an empty string");if($&&q.options.stringKeys&&(!Yz.isScalar(G)||typeof G.value!=="string"||G.tag&&G.tag!=="tag:yaml.org,2002:str"))J(U??Z,"NON_STRING_KEY","With stringKeys, all keys must be strings");if(Q)G.spaceBefore=!0;if(z)if(Z.type==="scalar"&&Z.source==="")G.comment=z;else G.commentBefore=z;if(q.options.keepSourceTokens&&Y)G.srcToken=Z;return G}function i9(q,Z,X,J,{spaceBefore:$,comment:Q,anchor:z,tag:H,end:U},G){let Y={type:"scalar",offset:_z.emptyScalarPosition(Z,X,J),indent:-1,source:""},B=d3.composeScalar(q,Y,H,G);if(z){if(B.anchor=z.source.substring(1),B.anchor==="")G(z,"BAD_ALIAS","Anchor cannot be an empty string")}if($)B.spaceBefore=!0;if(Q)B.comment=Q,B.range[2]=U;return B}function Wz({options:q},{offset:Z,source:X,end:J},$){let Q=new Gz.Alias(X.substring(1));if(Q.source==="")$(Z,"BAD_ALIAS","Alias cannot be an empty string");if(Q.source.endsWith(":"))$(Z+X.length-1,"BAD_ALIAS","Alias ending in : is ambiguous",!0);let z=Z+X.length,H=Tz.resolveEnd(J,z,q.strict,$);if(Q.range=[Z,z,H.offset],H.comment)Q.comment=H.comment;return Q}Rz.composeEmptyNode=i9;Rz.composeNode=l3});var i3=D((Fz)=>{var Mz=$0(),c3=p3(),Kz=k1(),Pz=z0();function Dz(q,Z,{offset:X,start:J,value:$,end:Q},z){let H=Object.assign({_directives:Z},q),U=new Mz.Document(void 0,H),G={atKey:!1,atRoot:!0,directives:U.directives,options:U.options,schema:U.schema},Y=Pz.resolveProps(J,{indicator:"doc-start",next:$??Q?.[0],offset:X,onError:z,parentIndent:0,startOnNewline:!0});if(Y.found){if(U.directives.docStart=!0,$&&($.type==="block-map"||$.type==="block-seq")&&!Y.hasNewline)z(Y.end,"MISSING_CHAR","Block collection cannot start on same line with directives-end marker")}U.contents=$?c3.composeNode(G,$,Y,z):c3.composeEmptyNode(G,Y.end,J,null,Y,z);let B=U.contents.range[2],_=Kz.resolveEnd(Q,B,!1,z);if(_.comment)U.comment=_.comment;return U.range=[X,B,_.offset],U}Fz.composeDoc=Dz});var a9=D((jz)=>{var Nz=r("process"),Az=oq(),Sz=$0(),H0=Q0(),a3=S(),wz=i3(),bz=k1();function U0(q){if(typeof q==="number")return[q,q+1];if(Array.isArray(q))return q.length===2?q:[q[0],q[1]];let{offset:Z,source:X}=q;return[Z,Z+(typeof X==="string"?X.length:1)]}function s3(q){let Z="",X=!1,J=!1;for(let $=0;$<q.length;++$){let Q=q[$];switch(Q[0]){case"#":Z+=(Z===""?"":J?`
|
|
126
|
+
|
|
127
|
+
`:`
|
|
128
|
+
`)+(Q.substring(1)||" "),X=!0,J=!1;break;case"%":if(q[$+1]?.[0]!=="#")$+=1;X=!1;break;default:if(!X)J=!0;X=!1}}return{comment:Z,afterEmptyLine:J}}class r3{constructor(q={}){this.doc=null,this.atDirectives=!1,this.prelude=[],this.errors=[],this.warnings=[],this.onError=(Z,X,J,$)=>{let Q=U0(Z);if($)this.warnings.push(new H0.YAMLWarning(Q,X,J));else this.errors.push(new H0.YAMLParseError(Q,X,J))},this.directives=new Az.Directives({version:q.version||"1.2"}),this.options=q}decorate(q,Z){let{comment:X,afterEmptyLine:J}=s3(this.prelude);if(X){let $=q.contents;if(Z)q.comment=q.comment?`${q.comment}
|
|
129
|
+
${X}`:X;else if(J||q.directives.docStart||!$)q.commentBefore=X;else if(a3.isCollection($)&&!$.flow&&$.items.length>0){let Q=$.items[0];if(a3.isPair(Q))Q=Q.key;let z=Q.commentBefore;Q.commentBefore=z?`${X}
|
|
130
|
+
${z}`:X}else{let Q=$.commentBefore;$.commentBefore=Q?`${X}
|
|
131
|
+
${Q}`:X}}if(Z)Array.prototype.push.apply(q.errors,this.errors),Array.prototype.push.apply(q.warnings,this.warnings);else q.errors=this.errors,q.warnings=this.warnings;this.prelude=[],this.errors=[],this.warnings=[]}streamInfo(){return{comment:s3(this.prelude).comment,directives:this.directives,errors:this.errors,warnings:this.warnings}}*compose(q,Z=!1,X=-1){for(let J of q)yield*this.next(J);yield*this.end(Z,X)}*next(q){if(Nz.env.LOG_STREAM)console.dir(q,{depth:null});switch(q.type){case"directive":this.directives.add(q.source,(Z,X,J)=>{let $=U0(q);$[0]+=Z,this.onError($,"BAD_DIRECTIVE",X,J)}),this.prelude.push(q.source),this.atDirectives=!0;break;case"document":{let Z=wz.composeDoc(this.options,this.directives,q,this.onError);if(this.atDirectives&&!Z.directives.docStart)this.onError(q,"MISSING_CHAR","Missing directives-end/doc-start indicator line");if(this.decorate(Z,!1),this.doc)yield this.doc;this.doc=Z,this.atDirectives=!1;break}case"byte-order-mark":case"space":break;case"comment":case"newline":this.prelude.push(q.source);break;case"error":{let Z=q.source?`${q.message}: ${JSON.stringify(q.source)}`:q.message,X=new H0.YAMLParseError(U0(q),"UNEXPECTED_TOKEN",Z);if(this.atDirectives||!this.doc)this.errors.push(X);else this.doc.errors.push(X);break}case"doc-end":{if(!this.doc){this.errors.push(new H0.YAMLParseError(U0(q),"UNEXPECTED_TOKEN","Unexpected doc-end without preceding document"));break}this.doc.directives.docEnd=!0;let Z=bz.resolveEnd(q.end,q.offset+q.source.length,this.doc.options.strict,this.onError);if(this.decorate(this.doc,!0),Z.comment){let X=this.doc.comment;this.doc.comment=X?`${X}
|
|
132
|
+
${Z.comment}`:Z.comment}this.doc.range[2]=Z.offset;break}default:this.errors.push(new H0.YAMLParseError(U0(q),"UNEXPECTED_TOKEN",`Unsupported token ${q.type}`))}}*end(q=!1,Z=-1){if(this.doc)this.decorate(this.doc,!0),yield this.doc,this.doc=null;else if(q){let X=Object.assign({_directives:this.directives},this.options),J=new Sz.Document(void 0,X);if(this.atDirectives)this.onError(Z,"MISSING_CHAR","Missing directives-end indicator line");J.range=[0,Z,Z],this.decorate(J,!1),yield J}}}jz.Composer=r3});var t3=D((gz)=>{var Cz=l9(),fz=c9(),yz=Q0(),n3=a1();function xz(q,Z=!0,X){if(q){let J=($,Q,z)=>{let H=typeof $==="number"?$:Array.isArray($)?$[0]:$.offset;if(X)X(H,Q,z);else throw new yz.YAMLParseError([H,H+1],Q,z)};switch(q.type){case"scalar":case"single-quoted-scalar":case"double-quoted-scalar":return fz.resolveFlowScalar(q,Z,J);case"block-scalar":return Cz.resolveBlockScalar({options:{strict:Z}},q,J)}}return null}function kz(q,Z){let{implicitKey:X=!1,indent:J,inFlow:$=!1,offset:Q=-1,type:z="PLAIN"}=Z,H=n3.stringifyString({type:z,value:q},{implicitKey:X,indent:J>0?" ".repeat(J):"",inFlow:$,options:{blockQuote:!0,lineWidth:-1}}),U=Z.end??[{type:"newline",offset:-1,indent:J,source:`
|
|
133
|
+
`}];switch(H[0]){case"|":case">":{let G=H.indexOf(`
|
|
134
|
+
`),Y=H.substring(0,G),B=H.substring(G+1)+`
|
|
135
|
+
`,_=[{type:"block-scalar-header",offset:Q,indent:J,source:Y}];if(!o3(_,U))_.push({type:"newline",offset:-1,indent:J,source:`
|
|
136
|
+
`});return{type:"block-scalar",offset:Q,indent:J,props:_,source:B}}case'"':return{type:"double-quoted-scalar",offset:Q,indent:J,source:H,end:U};case"'":return{type:"single-quoted-scalar",offset:Q,indent:J,source:H,end:U};default:return{type:"scalar",offset:Q,indent:J,source:H,end:U}}}function vz(q,Z,X={}){let{afterKey:J=!1,implicitKey:$=!1,inFlow:Q=!1,type:z}=X,H="indent"in q?q.indent:null;if(J&&typeof H==="number")H+=2;if(!z)switch(q.type){case"single-quoted-scalar":z="QUOTE_SINGLE";break;case"double-quoted-scalar":z="QUOTE_DOUBLE";break;case"block-scalar":{let G=q.props[0];if(G.type!=="block-scalar-header")throw Error("Invalid block scalar header");z=G.source[0]===">"?"BLOCK_FOLDED":"BLOCK_LITERAL";break}default:z="PLAIN"}let U=n3.stringifyString({type:z,value:Z},{implicitKey:$||H===null,indent:H!==null&&H>0?" ".repeat(H):"",inFlow:Q,options:{blockQuote:!0,lineWidth:-1}});switch(U[0]){case"|":case">":hz(q,U);break;case'"':s9(q,U,"double-quoted-scalar");break;case"'":s9(q,U,"single-quoted-scalar");break;default:s9(q,U,"scalar")}}function hz(q,Z){let X=Z.indexOf(`
|
|
137
|
+
`),J=Z.substring(0,X),$=Z.substring(X+1)+`
|
|
138
|
+
`;if(q.type==="block-scalar"){let Q=q.props[0];if(Q.type!=="block-scalar-header")throw Error("Invalid block scalar header");Q.source=J,q.source=$}else{let{offset:Q}=q,z="indent"in q?q.indent:-1,H=[{type:"block-scalar-header",offset:Q,indent:z,source:J}];if(!o3(H,"end"in q?q.end:void 0))H.push({type:"newline",offset:-1,indent:z,source:`
|
|
139
|
+
`});for(let U of Object.keys(q))if(U!=="type"&&U!=="offset")delete q[U];Object.assign(q,{type:"block-scalar",indent:z,props:H,source:$})}}function o3(q,Z){if(Z)for(let X of Z)switch(X.type){case"space":case"comment":q.push(X);break;case"newline":return q.push(X),!0}return!1}function s9(q,Z,X){switch(q.type){case"scalar":case"double-quoted-scalar":case"single-quoted-scalar":q.type=X,q.source=Z;break;case"block-scalar":{let J=q.props.slice(1),$=Z.length;if(q.props[0].type==="block-scalar-header")$-=q.props[0].source.length;for(let Q of J)Q.offset+=$;delete q.props,Object.assign(q,{type:X,source:Z,end:J});break}case"block-map":case"block-seq":{let $={type:"newline",offset:q.offset+Z.length,indent:q.indent,source:`
|
|
140
|
+
`};delete q.items,Object.assign(q,{type:X,source:Z,end:[$]});break}default:{let J="indent"in q?q.indent:-1,$="end"in q&&Array.isArray(q.end)?q.end.filter((Q)=>Q.type==="space"||Q.type==="comment"||Q.type==="newline"):[];for(let Q of Object.keys(q))if(Q!=="type"&&Q!=="offset")delete q[Q];Object.assign(q,{type:X,indent:J,source:Z,end:$})}}}gz.createScalarToken=kz;gz.resolveAsScalar=xz;gz.setScalarValue=vz});var e3=D((pz)=>{var lz=(q)=>("type"in q)?Yq(q):Gq(q);function Yq(q){switch(q.type){case"block-scalar":{let Z="";for(let X of q.props)Z+=Yq(X);return Z+q.source}case"block-map":case"block-seq":{let Z="";for(let X of q.items)Z+=Gq(X);return Z}case"flow-collection":{let Z=q.start.source;for(let X of q.items)Z+=Gq(X);for(let X of q.end)Z+=X.source;return Z}case"document":{let Z=Gq(q);if(q.end)for(let X of q.end)Z+=X.source;return Z}default:{let Z=q.source;if("end"in q&&q.end)for(let X of q.end)Z+=X.source;return Z}}}function Gq({start:q,key:Z,sep:X,value:J}){let $="";for(let Q of q)$+=Q.source;if(Z)$+=Yq(Z);if(X)for(let Q of X)$+=Q.source;if(J)$+=Yq(J);return $}pz.stringify=lz});var X5=D((az)=>{var r9=Symbol("break visit"),iz=Symbol("skip children"),q5=Symbol("remove item");function D1(q,Z){if("type"in q&&q.type==="document")q={start:q.start,value:q.value};Z5(Object.freeze([]),q,Z)}D1.BREAK=r9;D1.SKIP=iz;D1.REMOVE=q5;D1.itemAtPath=(q,Z)=>{let X=q;for(let[J,$]of Z){let Q=X?.[J];if(Q&&"items"in Q)X=Q.items[$];else return}return X};D1.parentCollection=(q,Z)=>{let X=D1.itemAtPath(q,Z.slice(0,-1)),J=Z[Z.length-1][0],$=X?.[J];if($&&"items"in $)return $;throw Error("Parent collection not found")};function Z5(q,Z,X){let J=X(Z,q);if(typeof J==="symbol")return J;for(let $ of["key","value"]){let Q=Z[$];if(Q&&"items"in Q){for(let z=0;z<Q.items.length;++z){let H=Z5(Object.freeze(q.concat([[$,z]])),Q.items[z],X);if(typeof H==="number")z=H-1;else if(H===r9)return r9;else if(H===q5)Q.items.splice(z,1),z-=1}if(typeof J==="function"&&$==="key")J=J(Z,q)}}return typeof J==="function"?J(Z,q):J}az.visit=D1});var Bq=D((ZH)=>{var n9=t3(),rz=e3(),nz=X5(),o9="\uFEFF",t9="\x02",e9="\x18",q4="\x1F",oz=(q)=>!!q&&("items"in q),tz=(q)=>!!q&&(q.type==="scalar"||q.type==="single-quoted-scalar"||q.type==="double-quoted-scalar"||q.type==="block-scalar");function ez(q){switch(q){case o9:return"<BOM>";case t9:return"<DOC>";case e9:return"<FLOW_END>";case q4:return"<SCALAR>";default:return JSON.stringify(q)}}function qH(q){switch(q){case o9:return"byte-order-mark";case t9:return"doc-mode";case e9:return"flow-error-end";case q4:return"scalar";case"---":return"doc-start";case"...":return"doc-end";case"":case`
|
|
141
|
+
`:case`\r
|
|
142
|
+
`:return"newline";case"-":return"seq-item-ind";case"?":return"explicit-key-ind";case":":return"map-value-ind";case"{":return"flow-map-start";case"}":return"flow-map-end";case"[":return"flow-seq-start";case"]":return"flow-seq-end";case",":return"comma"}switch(q[0]){case" ":case"\t":return"space";case"#":return"comment";case"%":return"directive-line";case"*":return"alias";case"&":return"anchor";case"!":return"tag";case"'":return"single-quoted-scalar";case'"':return"double-quoted-scalar";case"|":case">":return"block-scalar-header"}return null}ZH.createScalarToken=n9.createScalarToken;ZH.resolveAsScalar=n9.resolveAsScalar;ZH.setScalarValue=n9.setScalarValue;ZH.stringify=rz.stringify;ZH.visit=nz.visit;ZH.BOM=o9;ZH.DOCUMENT=t9;ZH.FLOW_END=e9;ZH.SCALAR=q4;ZH.isCollection=oz;ZH.isScalar=tz;ZH.prettyToken=ez;ZH.tokenType=qH});var X4=D((VH)=>{var G0=Bq();function l(q){switch(q){case void 0:case" ":case`
|
|
143
|
+
`:case"\r":case"\t":return!0;default:return!1}}var J5=new Set("0123456789ABCDEFabcdef"),WH=new Set("0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz-#;/?:@&=+$_.!~*'()"),Tq=new Set(",[]{}"),RH=new Set(` ,[]{}
|
|
144
|
+
\r `),Z4=(q)=>!q||RH.has(q);class $5{constructor(){this.atEnd=!1,this.blockScalarIndent=-1,this.blockScalarKeep=!1,this.buffer="",this.flowKey=!1,this.flowLevel=0,this.indentNext=0,this.indentValue=0,this.lineEndPos=null,this.next=null,this.pos=0}*lex(q,Z=!1){if(q){if(typeof q!=="string")throw TypeError("source is not a string");this.buffer=this.buffer?this.buffer+q:q,this.lineEndPos=null}this.atEnd=!Z;let X=this.next??"stream";while(X&&(Z||this.hasChars(1)))X=yield*this.parseNext(X)}atLineEnd(){let q=this.pos,Z=this.buffer[q];while(Z===" "||Z==="\t")Z=this.buffer[++q];if(!Z||Z==="#"||Z===`
|
|
145
|
+
`)return!0;if(Z==="\r")return this.buffer[q+1]===`
|
|
146
|
+
`;return!1}charAt(q){return this.buffer[this.pos+q]}continueScalar(q){let Z=this.buffer[q];if(this.indentNext>0){let X=0;while(Z===" ")Z=this.buffer[++X+q];if(Z==="\r"){let J=this.buffer[X+q+1];if(J===`
|
|
147
|
+
`||!J&&!this.atEnd)return q+X+1}return Z===`
|
|
148
|
+
`||X>=this.indentNext||!Z&&!this.atEnd?q+X:-1}if(Z==="-"||Z==="."){let X=this.buffer.substr(q,3);if((X==="---"||X==="...")&&l(this.buffer[q+3]))return-1}return q}getLine(){let q=this.lineEndPos;if(typeof q!=="number"||q!==-1&&q<this.pos)q=this.buffer.indexOf(`
|
|
149
|
+
`,this.pos),this.lineEndPos=q;if(q===-1)return this.atEnd?this.buffer.substring(this.pos):null;if(this.buffer[q-1]==="\r")q-=1;return this.buffer.substring(this.pos,q)}hasChars(q){return this.pos+q<=this.buffer.length}setNext(q){return this.buffer=this.buffer.substring(this.pos),this.pos=0,this.lineEndPos=null,this.next=q,null}peek(q){return this.buffer.substr(this.pos,q)}*parseNext(q){switch(q){case"stream":return yield*this.parseStream();case"line-start":return yield*this.parseLineStart();case"block-start":return yield*this.parseBlockStart();case"doc":return yield*this.parseDocument();case"flow":return yield*this.parseFlowCollection();case"quoted-scalar":return yield*this.parseQuotedScalar();case"block-scalar":return yield*this.parseBlockScalar();case"plain-scalar":return yield*this.parsePlainScalar()}}*parseStream(){let q=this.getLine();if(q===null)return this.setNext("stream");if(q[0]===G0.BOM)yield*this.pushCount(1),q=q.substring(1);if(q[0]==="%"){let Z=q.length,X=q.indexOf("#");while(X!==-1){let $=q[X-1];if($===" "||$==="\t"){Z=X-1;break}else X=q.indexOf("#",X+1)}while(!0){let $=q[Z-1];if($===" "||$==="\t")Z-=1;else break}let J=(yield*this.pushCount(Z))+(yield*this.pushSpaces(!0));return yield*this.pushCount(q.length-J),this.pushNewline(),"stream"}if(this.atLineEnd()){let Z=yield*this.pushSpaces(!0);return yield*this.pushCount(q.length-Z),yield*this.pushNewline(),"stream"}return yield G0.DOCUMENT,yield*this.parseLineStart()}*parseLineStart(){let q=this.charAt(0);if(!q&&!this.atEnd)return this.setNext("line-start");if(q==="-"||q==="."){if(!this.atEnd&&!this.hasChars(4))return this.setNext("line-start");let Z=this.peek(3);if((Z==="---"||Z==="...")&&l(this.charAt(3)))return yield*this.pushCount(3),this.indentValue=0,this.indentNext=0,Z==="---"?"doc":"stream"}if(this.indentValue=yield*this.pushSpaces(!1),this.indentNext>this.indentValue&&!l(this.charAt(1)))this.indentNext=this.indentValue;return yield*this.parseBlockStart()}*parseBlockStart(){let[q,Z]=this.peek(2);if(!Z&&!this.atEnd)return this.setNext("block-start");if((q==="-"||q==="?"||q===":")&&l(Z)){let X=(yield*this.pushCount(1))+(yield*this.pushSpaces(!0));return this.indentNext=this.indentValue+1,this.indentValue+=X,yield*this.parseBlockStart()}return"doc"}*parseDocument(){yield*this.pushSpaces(!0);let q=this.getLine();if(q===null)return this.setNext("doc");let Z=yield*this.pushIndicators();switch(q[Z]){case"#":yield*this.pushCount(q.length-Z);case void 0:return yield*this.pushNewline(),yield*this.parseLineStart();case"{":case"[":return yield*this.pushCount(1),this.flowKey=!1,this.flowLevel=1,"flow";case"}":case"]":return yield*this.pushCount(1),"doc";case"*":return yield*this.pushUntil(Z4),"doc";case'"':case"'":return yield*this.parseQuotedScalar();case"|":case">":return Z+=yield*this.parseBlockScalarHeader(),Z+=yield*this.pushSpaces(!0),yield*this.pushCount(q.length-Z),yield*this.pushNewline(),yield*this.parseBlockScalar();default:return yield*this.parsePlainScalar()}}*parseFlowCollection(){let q,Z,X=-1;do{if(q=yield*this.pushNewline(),q>0)Z=yield*this.pushSpaces(!1),this.indentValue=X=Z;else Z=0;Z+=yield*this.pushSpaces(!0)}while(q+Z>0);let J=this.getLine();if(J===null)return this.setNext("flow");if(X!==-1&&X<this.indentNext&&J[0]!=="#"||X===0&&(J.startsWith("---")||J.startsWith("..."))&&l(J[3])){if(!(X===this.indentNext-1&&this.flowLevel===1&&(J[0]==="]"||J[0]==="}")))return this.flowLevel=0,yield G0.FLOW_END,yield*this.parseLineStart()}let $=0;while(J[$]===",")$+=yield*this.pushCount(1),$+=yield*this.pushSpaces(!0),this.flowKey=!1;switch($+=yield*this.pushIndicators(),J[$]){case void 0:return"flow";case"#":return yield*this.pushCount(J.length-$),"flow";case"{":case"[":return yield*this.pushCount(1),this.flowKey=!1,this.flowLevel+=1,"flow";case"}":case"]":return yield*this.pushCount(1),this.flowKey=!0,this.flowLevel-=1,this.flowLevel?"flow":"doc";case"*":return yield*this.pushUntil(Z4),"flow";case'"':case"'":return this.flowKey=!0,yield*this.parseQuotedScalar();case":":{let Q=this.charAt(1);if(this.flowKey||l(Q)||Q===",")return this.flowKey=!1,yield*this.pushCount(1),yield*this.pushSpaces(!0),"flow"}default:return this.flowKey=!1,yield*this.parsePlainScalar()}}*parseQuotedScalar(){let q=this.charAt(0),Z=this.buffer.indexOf(q,this.pos+1);if(q==="'")while(Z!==-1&&this.buffer[Z+1]==="'")Z=this.buffer.indexOf("'",Z+2);else while(Z!==-1){let $=0;while(this.buffer[Z-1-$]==="\\")$+=1;if($%2===0)break;Z=this.buffer.indexOf('"',Z+1)}let X=this.buffer.substring(0,Z),J=X.indexOf(`
|
|
150
|
+
`,this.pos);if(J!==-1){while(J!==-1){let $=this.continueScalar(J+1);if($===-1)break;J=X.indexOf(`
|
|
151
|
+
`,$)}if(J!==-1)Z=J-(X[J-1]==="\r"?2:1)}if(Z===-1){if(!this.atEnd)return this.setNext("quoted-scalar");Z=this.buffer.length}return yield*this.pushToIndex(Z+1,!1),this.flowLevel?"flow":"doc"}*parseBlockScalarHeader(){this.blockScalarIndent=-1,this.blockScalarKeep=!1;let q=this.pos;while(!0){let Z=this.buffer[++q];if(Z==="+")this.blockScalarKeep=!0;else if(Z>"0"&&Z<="9")this.blockScalarIndent=Number(Z)-1;else if(Z!=="-")break}return yield*this.pushUntil((Z)=>l(Z)||Z==="#")}*parseBlockScalar(){let q=this.pos-1,Z=0,X;q:for(let $=this.pos;X=this.buffer[$];++$)switch(X){case" ":Z+=1;break;case`
|
|
152
|
+
`:q=$,Z=0;break;case"\r":{let Q=this.buffer[$+1];if(!Q&&!this.atEnd)return this.setNext("block-scalar");if(Q===`
|
|
153
|
+
`)break}default:break q}if(!X&&!this.atEnd)return this.setNext("block-scalar");if(Z>=this.indentNext){if(this.blockScalarIndent===-1)this.indentNext=Z;else this.indentNext=this.blockScalarIndent+(this.indentNext===0?1:this.indentNext);do{let $=this.continueScalar(q+1);if($===-1)break;q=this.buffer.indexOf(`
|
|
154
|
+
`,$)}while(q!==-1);if(q===-1){if(!this.atEnd)return this.setNext("block-scalar");q=this.buffer.length}}let J=q+1;X=this.buffer[J];while(X===" ")X=this.buffer[++J];if(X==="\t"){while(X==="\t"||X===" "||X==="\r"||X===`
|
|
155
|
+
`)X=this.buffer[++J];q=J-1}else if(!this.blockScalarKeep)do{let $=q-1,Q=this.buffer[$];if(Q==="\r")Q=this.buffer[--$];let z=$;while(Q===" ")Q=this.buffer[--$];if(Q===`
|
|
156
|
+
`&&$>=this.pos&&$+1+Z>z)q=$;else break}while(!0);return yield G0.SCALAR,yield*this.pushToIndex(q+1,!0),yield*this.parseLineStart()}*parsePlainScalar(){let q=this.flowLevel>0,Z=this.pos-1,X=this.pos-1,J;while(J=this.buffer[++X])if(J===":"){let $=this.buffer[X+1];if(l($)||q&&Tq.has($))break;Z=X}else if(l(J)){let $=this.buffer[X+1];if(J==="\r")if($===`
|
|
157
|
+
`)X+=1,J=`
|
|
158
|
+
`,$=this.buffer[X+1];else Z=X;if($==="#"||q&&Tq.has($))break;if(J===`
|
|
159
|
+
`){let Q=this.continueScalar(X+1);if(Q===-1)break;X=Math.max(X,Q-2)}}else{if(q&&Tq.has(J))break;Z=X}if(!J&&!this.atEnd)return this.setNext("plain-scalar");return yield G0.SCALAR,yield*this.pushToIndex(Z+1,!0),q?"flow":"doc"}*pushCount(q){if(q>0)return yield this.buffer.substr(this.pos,q),this.pos+=q,q;return 0}*pushToIndex(q,Z){let X=this.buffer.slice(this.pos,q);if(X)return yield X,this.pos+=X.length,X.length;else if(Z)yield"";return 0}*pushIndicators(){switch(this.charAt(0)){case"!":return(yield*this.pushTag())+(yield*this.pushSpaces(!0))+(yield*this.pushIndicators());case"&":return(yield*this.pushUntil(Z4))+(yield*this.pushSpaces(!0))+(yield*this.pushIndicators());case"-":case"?":case":":{let q=this.flowLevel>0,Z=this.charAt(1);if(l(Z)||q&&Tq.has(Z)){if(!q)this.indentNext=this.indentValue+1;else if(this.flowKey)this.flowKey=!1;return(yield*this.pushCount(1))+(yield*this.pushSpaces(!0))+(yield*this.pushIndicators())}}}return 0}*pushTag(){if(this.charAt(1)==="<"){let q=this.pos+2,Z=this.buffer[q];while(!l(Z)&&Z!==">")Z=this.buffer[++q];return yield*this.pushToIndex(Z===">"?q+1:q,!1)}else{let q=this.pos+1,Z=this.buffer[q];while(Z)if(WH.has(Z))Z=this.buffer[++q];else if(Z==="%"&&J5.has(this.buffer[q+1])&&J5.has(this.buffer[q+2]))Z=this.buffer[q+=3];else break;return yield*this.pushToIndex(q,!1)}}*pushNewline(){let q=this.buffer[this.pos];if(q===`
|
|
160
|
+
`)return yield*this.pushCount(1);else if(q==="\r"&&this.charAt(1)===`
|
|
161
|
+
`)return yield*this.pushCount(2);else return 0}*pushSpaces(q){let Z=this.pos-1,X;do X=this.buffer[++Z];while(X===" "||q&&X==="\t");let J=Z-this.pos;if(J>0)yield this.buffer.substr(this.pos,J),this.pos=Z;return J}*pushUntil(q){let Z=this.pos,X=this.buffer[Z];while(!q(X))X=this.buffer[++Z];return yield*this.pushToIndex(Z,!1)}}VH.Lexer=$5});var J4=D((MH)=>{class Q5{constructor(){this.lineStarts=[],this.addNewLine=(q)=>this.lineStarts.push(q),this.linePos=(q)=>{let Z=0,X=this.lineStarts.length;while(Z<X){let $=Z+X>>1;if(this.lineStarts[$]<q)Z=$+1;else X=$}if(this.lineStarts[Z]===q)return{line:Z+1,col:1};if(Z===0)return{line:0,col:q};let J=this.lineStarts[Z-1];return{line:Z,col:q-J+1}}}}MH.LineCounter=Q5});var $4=D((FH)=>{var PH=r("process"),z5=Bq(),DH=X4();function U1(q,Z){for(let X=0;X<q.length;++X)if(q[X].type===Z)return!0;return!1}function H5(q){for(let Z=0;Z<q.length;++Z)switch(q[Z].type){case"space":case"comment":case"newline":break;default:return Z}return-1}function G5(q){switch(q?.type){case"alias":case"scalar":case"single-quoted-scalar":case"double-quoted-scalar":case"flow-collection":return!0;default:return!1}}function _q(q){switch(q.type){case"document":return q.start;case"block-map":{let Z=q.items[q.items.length-1];return Z.sep??Z.start}case"block-seq":return q.items[q.items.length-1].start;default:return[]}}function v1(q){if(q.length===0)return[];let Z=q.length;q:while(--Z>=0)switch(q[Z].type){case"doc-start":case"explicit-key-ind":case"map-value-ind":case"seq-item-ind":case"newline":break q}while(q[++Z]?.type==="space");return q.splice(Z,q.length)}function U5(q){if(q.start.type==="flow-seq-start"){for(let Z of q.items)if(Z.sep&&!Z.value&&!U1(Z.start,"explicit-key-ind")&&!U1(Z.sep,"map-value-ind")){if(Z.key)Z.value=Z.key;if(delete Z.key,G5(Z.value))if(Z.value.end)Array.prototype.push.apply(Z.value.end,Z.sep);else Z.value.end=Z.sep;else Array.prototype.push.apply(Z.start,Z.sep);delete Z.sep}}}class Y5{constructor(q){this.atNewLine=!0,this.atScalar=!1,this.indent=0,this.offset=0,this.onKeyLine=!1,this.stack=[],this.source="",this.type="",this.lexer=new DH.Lexer,this.onNewLine=q}*parse(q,Z=!1){if(this.onNewLine&&this.offset===0)this.onNewLine(0);for(let X of this.lexer.lex(q,Z))yield*this.next(X);if(!Z)yield*this.end()}*next(q){if(this.source=q,PH.env.LOG_TOKENS)console.log("|",z5.prettyToken(q));if(this.atScalar){this.atScalar=!1,yield*this.step(),this.offset+=q.length;return}let Z=z5.tokenType(q);if(!Z){let X=`Not a YAML token: ${q}`;yield*this.pop({type:"error",offset:this.offset,message:X,source:q}),this.offset+=q.length}else if(Z==="scalar")this.atNewLine=!1,this.atScalar=!0,this.type="scalar";else{switch(this.type=Z,yield*this.step(),Z){case"newline":if(this.atNewLine=!0,this.indent=0,this.onNewLine)this.onNewLine(this.offset+q.length);break;case"space":if(this.atNewLine&&q[0]===" ")this.indent+=q.length;break;case"explicit-key-ind":case"map-value-ind":case"seq-item-ind":if(this.atNewLine)this.indent+=q.length;break;case"doc-mode":case"flow-error-end":return;default:this.atNewLine=!1}this.offset+=q.length}}*end(){while(this.stack.length>0)yield*this.pop()}get sourceToken(){return{type:this.type,offset:this.offset,indent:this.indent,source:this.source}}*step(){let q=this.peek(1);if(this.type==="doc-end"&&q?.type!=="doc-end"){while(this.stack.length>0)yield*this.pop();this.stack.push({type:"doc-end",offset:this.offset,source:this.source});return}if(!q)return yield*this.stream();switch(q.type){case"document":return yield*this.document(q);case"alias":case"scalar":case"single-quoted-scalar":case"double-quoted-scalar":return yield*this.scalar(q);case"block-scalar":return yield*this.blockScalar(q);case"block-map":return yield*this.blockMap(q);case"block-seq":return yield*this.blockSequence(q);case"flow-collection":return yield*this.flowCollection(q);case"doc-end":return yield*this.documentEnd(q)}yield*this.pop()}peek(q){return this.stack[this.stack.length-q]}*pop(q){let Z=q??this.stack.pop();if(!Z)yield{type:"error",offset:this.offset,source:"",message:"Tried to pop an empty stack"};else if(this.stack.length===0)yield Z;else{let X=this.peek(1);if(Z.type==="block-scalar")Z.indent="indent"in X?X.indent:0;else if(Z.type==="flow-collection"&&X.type==="document")Z.indent=0;if(Z.type==="flow-collection")U5(Z);switch(X.type){case"document":X.value=Z;break;case"block-scalar":X.props.push(Z);break;case"block-map":{let J=X.items[X.items.length-1];if(J.value){X.items.push({start:[],key:Z,sep:[]}),this.onKeyLine=!0;return}else if(J.sep)J.value=Z;else{Object.assign(J,{key:Z,sep:[]}),this.onKeyLine=!J.explicitKey;return}break}case"block-seq":{let J=X.items[X.items.length-1];if(J.value)X.items.push({start:[],value:Z});else J.value=Z;break}case"flow-collection":{let J=X.items[X.items.length-1];if(!J||J.value)X.items.push({start:[],key:Z,sep:[]});else if(J.sep)J.value=Z;else Object.assign(J,{key:Z,sep:[]});return}default:yield*this.pop(),yield*this.pop(Z)}if((X.type==="document"||X.type==="block-map"||X.type==="block-seq")&&(Z.type==="block-map"||Z.type==="block-seq")){let J=Z.items[Z.items.length-1];if(J&&!J.sep&&!J.value&&J.start.length>0&&H5(J.start)===-1&&(Z.indent===0||J.start.every(($)=>$.type!=="comment"||$.indent<Z.indent))){if(X.type==="document")X.end=J.start;else X.items.push({start:J.start});Z.items.splice(-1,1)}}}}*stream(){switch(this.type){case"directive-line":yield{type:"directive",offset:this.offset,source:this.source};return;case"byte-order-mark":case"space":case"comment":case"newline":yield this.sourceToken;return;case"doc-mode":case"doc-start":{let q={type:"document",offset:this.offset,start:[]};if(this.type==="doc-start")q.start.push(this.sourceToken);this.stack.push(q);return}}yield{type:"error",offset:this.offset,message:`Unexpected ${this.type} token in YAML stream`,source:this.source}}*document(q){if(q.value)return yield*this.lineEnd(q);switch(this.type){case"doc-start":{if(H5(q.start)!==-1)yield*this.pop(),yield*this.step();else q.start.push(this.sourceToken);return}case"anchor":case"tag":case"space":case"comment":case"newline":q.start.push(this.sourceToken);return}let Z=this.startBlockValue(q);if(Z)this.stack.push(Z);else yield{type:"error",offset:this.offset,message:`Unexpected ${this.type} token in YAML document`,source:this.source}}*scalar(q){if(this.type==="map-value-ind"){let Z=_q(this.peek(2)),X=v1(Z),J;if(q.end)J=q.end,J.push(this.sourceToken),delete q.end;else J=[this.sourceToken];let $={type:"block-map",offset:q.offset,indent:q.indent,items:[{start:X,key:q,sep:J}]};this.onKeyLine=!0,this.stack[this.stack.length-1]=$}else yield*this.lineEnd(q)}*blockScalar(q){switch(this.type){case"space":case"comment":case"newline":q.props.push(this.sourceToken);return;case"scalar":if(q.source=this.source,this.atNewLine=!0,this.indent=0,this.onNewLine){let Z=this.source.indexOf(`
|
|
162
|
+
`)+1;while(Z!==0)this.onNewLine(this.offset+Z),Z=this.source.indexOf(`
|
|
163
|
+
`,Z)+1}yield*this.pop();break;default:yield*this.pop(),yield*this.step()}}*blockMap(q){let Z=q.items[q.items.length-1];switch(this.type){case"newline":if(this.onKeyLine=!1,Z.value){let X="end"in Z.value?Z.value.end:void 0;if((Array.isArray(X)?X[X.length-1]:void 0)?.type==="comment")X?.push(this.sourceToken);else q.items.push({start:[this.sourceToken]})}else if(Z.sep)Z.sep.push(this.sourceToken);else Z.start.push(this.sourceToken);return;case"space":case"comment":if(Z.value)q.items.push({start:[this.sourceToken]});else if(Z.sep)Z.sep.push(this.sourceToken);else{if(this.atIndentedComment(Z.start,q.indent)){let J=q.items[q.items.length-2]?.value?.end;if(Array.isArray(J)){Array.prototype.push.apply(J,Z.start),J.push(this.sourceToken),q.items.pop();return}}Z.start.push(this.sourceToken)}return}if(this.indent>=q.indent){let X=!this.onKeyLine&&this.indent===q.indent,J=X&&(Z.sep||Z.explicitKey)&&this.type!=="seq-item-ind",$=[];if(J&&Z.sep&&!Z.value){let Q=[];for(let z=0;z<Z.sep.length;++z){let H=Z.sep[z];switch(H.type){case"newline":Q.push(z);break;case"space":break;case"comment":if(H.indent>q.indent)Q.length=0;break;default:Q.length=0}}if(Q.length>=2)$=Z.sep.splice(Q[1])}switch(this.type){case"anchor":case"tag":if(J||Z.value)$.push(this.sourceToken),q.items.push({start:$}),this.onKeyLine=!0;else if(Z.sep)Z.sep.push(this.sourceToken);else Z.start.push(this.sourceToken);return;case"explicit-key-ind":if(!Z.sep&&!Z.explicitKey)Z.start.push(this.sourceToken),Z.explicitKey=!0;else if(J||Z.value)$.push(this.sourceToken),q.items.push({start:$,explicitKey:!0});else this.stack.push({type:"block-map",offset:this.offset,indent:this.indent,items:[{start:[this.sourceToken],explicitKey:!0}]});this.onKeyLine=!0;return;case"map-value-ind":if(Z.explicitKey)if(!Z.sep)if(U1(Z.start,"newline"))Object.assign(Z,{key:null,sep:[this.sourceToken]});else{let Q=v1(Z.start);this.stack.push({type:"block-map",offset:this.offset,indent:this.indent,items:[{start:Q,key:null,sep:[this.sourceToken]}]})}else if(Z.value)q.items.push({start:[],key:null,sep:[this.sourceToken]});else if(U1(Z.sep,"map-value-ind"))this.stack.push({type:"block-map",offset:this.offset,indent:this.indent,items:[{start:$,key:null,sep:[this.sourceToken]}]});else if(G5(Z.key)&&!U1(Z.sep,"newline")){let Q=v1(Z.start),z=Z.key,H=Z.sep;H.push(this.sourceToken),delete Z.key,delete Z.sep,this.stack.push({type:"block-map",offset:this.offset,indent:this.indent,items:[{start:Q,key:z,sep:H}]})}else if($.length>0)Z.sep=Z.sep.concat($,this.sourceToken);else Z.sep.push(this.sourceToken);else if(!Z.sep)Object.assign(Z,{key:null,sep:[this.sourceToken]});else if(Z.value||J)q.items.push({start:$,key:null,sep:[this.sourceToken]});else if(U1(Z.sep,"map-value-ind"))this.stack.push({type:"block-map",offset:this.offset,indent:this.indent,items:[{start:[],key:null,sep:[this.sourceToken]}]});else Z.sep.push(this.sourceToken);this.onKeyLine=!0;return;case"alias":case"scalar":case"single-quoted-scalar":case"double-quoted-scalar":{let Q=this.flowScalar(this.type);if(J||Z.value)q.items.push({start:$,key:Q,sep:[]}),this.onKeyLine=!0;else if(Z.sep)this.stack.push(Q);else Object.assign(Z,{key:Q,sep:[]}),this.onKeyLine=!0;return}default:{let Q=this.startBlockValue(q);if(Q){if(Q.type==="block-seq"){if(!Z.explicitKey&&Z.sep&&!U1(Z.sep,"newline")){yield*this.pop({type:"error",offset:this.offset,message:"Unexpected block-seq-ind on same line with key",source:this.source});return}}else if(X)q.items.push({start:$});this.stack.push(Q);return}}}}yield*this.pop(),yield*this.step()}*blockSequence(q){let Z=q.items[q.items.length-1];switch(this.type){case"newline":if(Z.value){let X="end"in Z.value?Z.value.end:void 0;if((Array.isArray(X)?X[X.length-1]:void 0)?.type==="comment")X?.push(this.sourceToken);else q.items.push({start:[this.sourceToken]})}else Z.start.push(this.sourceToken);return;case"space":case"comment":if(Z.value)q.items.push({start:[this.sourceToken]});else{if(this.atIndentedComment(Z.start,q.indent)){let J=q.items[q.items.length-2]?.value?.end;if(Array.isArray(J)){Array.prototype.push.apply(J,Z.start),J.push(this.sourceToken),q.items.pop();return}}Z.start.push(this.sourceToken)}return;case"anchor":case"tag":if(Z.value||this.indent<=q.indent)break;Z.start.push(this.sourceToken);return;case"seq-item-ind":if(this.indent!==q.indent)break;if(Z.value||U1(Z.start,"seq-item-ind"))q.items.push({start:[this.sourceToken]});else Z.start.push(this.sourceToken);return}if(this.indent>q.indent){let X=this.startBlockValue(q);if(X){this.stack.push(X);return}}yield*this.pop(),yield*this.step()}*flowCollection(q){let Z=q.items[q.items.length-1];if(this.type==="flow-error-end"){let X;do yield*this.pop(),X=this.peek(1);while(X?.type==="flow-collection")}else if(q.end.length===0){switch(this.type){case"comma":case"explicit-key-ind":if(!Z||Z.sep)q.items.push({start:[this.sourceToken]});else Z.start.push(this.sourceToken);return;case"map-value-ind":if(!Z||Z.value)q.items.push({start:[],key:null,sep:[this.sourceToken]});else if(Z.sep)Z.sep.push(this.sourceToken);else Object.assign(Z,{key:null,sep:[this.sourceToken]});return;case"space":case"comment":case"newline":case"anchor":case"tag":if(!Z||Z.value)q.items.push({start:[this.sourceToken]});else if(Z.sep)Z.sep.push(this.sourceToken);else Z.start.push(this.sourceToken);return;case"alias":case"scalar":case"single-quoted-scalar":case"double-quoted-scalar":{let J=this.flowScalar(this.type);if(!Z||Z.value)q.items.push({start:[],key:J,sep:[]});else if(Z.sep)this.stack.push(J);else Object.assign(Z,{key:J,sep:[]});return}case"flow-map-end":case"flow-seq-end":q.end.push(this.sourceToken);return}let X=this.startBlockValue(q);if(X)this.stack.push(X);else yield*this.pop(),yield*this.step()}else{let X=this.peek(2);if(X.type==="block-map"&&(this.type==="map-value-ind"&&X.indent===q.indent||this.type==="newline"&&!X.items[X.items.length-1].sep))yield*this.pop(),yield*this.step();else if(this.type==="map-value-ind"&&X.type!=="flow-collection"){let J=_q(X),$=v1(J);U5(q);let Q=q.end.splice(1,q.end.length);Q.push(this.sourceToken);let z={type:"block-map",offset:q.offset,indent:q.indent,items:[{start:$,key:q,sep:Q}]};this.onKeyLine=!0,this.stack[this.stack.length-1]=z}else yield*this.lineEnd(q)}}flowScalar(q){if(this.onNewLine){let Z=this.source.indexOf(`
|
|
164
|
+
`)+1;while(Z!==0)this.onNewLine(this.offset+Z),Z=this.source.indexOf(`
|
|
165
|
+
`,Z)+1}return{type:q,offset:this.offset,indent:this.indent,source:this.source}}startBlockValue(q){switch(this.type){case"alias":case"scalar":case"single-quoted-scalar":case"double-quoted-scalar":return this.flowScalar(this.type);case"block-scalar-header":return{type:"block-scalar",offset:this.offset,indent:this.indent,props:[this.sourceToken],source:""};case"flow-map-start":case"flow-seq-start":return{type:"flow-collection",offset:this.offset,indent:this.indent,start:this.sourceToken,items:[],end:[]};case"seq-item-ind":return{type:"block-seq",offset:this.offset,indent:this.indent,items:[{start:[this.sourceToken]}]};case"explicit-key-ind":{this.onKeyLine=!0;let Z=_q(q),X=v1(Z);return X.push(this.sourceToken),{type:"block-map",offset:this.offset,indent:this.indent,items:[{start:X,explicitKey:!0}]}}case"map-value-ind":{this.onKeyLine=!0;let Z=_q(q),X=v1(Z);return{type:"block-map",offset:this.offset,indent:this.indent,items:[{start:X,key:null,sep:[this.sourceToken]}]}}}return null}atIndentedComment(q,Z){if(this.type!=="comment")return!1;if(this.indent<=Z)return!1;return q.every((X)=>X.type==="newline"||X.type==="space")}*documentEnd(q){if(this.type!=="doc-mode"){if(q.end)q.end.push(this.sourceToken);else q.end=[this.sourceToken];if(this.type==="newline")yield*this.pop()}}*lineEnd(q){switch(this.type){case"comma":case"doc-start":case"doc-end":case"flow-seq-end":case"flow-map-end":case"map-value-ind":yield*this.pop(),yield*this.step();break;case"newline":this.onKeyLine=!1;case"space":case"comment":default:if(q.end)q.end.push(this.sourceToken);else q.end=[this.sourceToken];if(this.type==="newline")yield*this.pop()}}}FH.Parser=Y5});var W5=D((CH)=>{var B5=a9(),NH=$0(),Y0=Q0(),AH=J9(),SH=S(),wH=J4(),T5=$4();function _5(q){let Z=q.prettyErrors!==!1;return{lineCounter:q.lineCounter||Z&&new wH.LineCounter||null,prettyErrors:Z}}function bH(q,Z={}){let{lineCounter:X,prettyErrors:J}=_5(Z),$=new T5.Parser(X?.addNewLine),Q=new B5.Composer(Z),z=Array.from(Q.compose($.parse(q)));if(J&&X)for(let H of z)H.errors.forEach(Y0.prettifyError(q,X)),H.warnings.forEach(Y0.prettifyError(q,X));if(z.length>0)return z;return Object.assign([],{empty:!0},Q.streamInfo())}function L5(q,Z={}){let{lineCounter:X,prettyErrors:J}=_5(Z),$=new T5.Parser(X?.addNewLine),Q=new B5.Composer(Z),z=null;for(let H of Q.compose($.parse(q),!0,q.length))if(!z)z=H;else if(z.options.logLevel!=="silent"){z.errors.push(new Y0.YAMLParseError(H.range.slice(0,2),"MULTIPLE_DOCS","Source contains multiple documents; please use YAML.parseAllDocuments()"));break}if(J&&X)z.errors.forEach(Y0.prettifyError(q,X)),z.warnings.forEach(Y0.prettifyError(q,X));return z}function jH(q,Z,X){let J=void 0;if(typeof Z==="function")J=Z;else if(X===void 0&&Z&&typeof Z==="object")X=Z;let $=L5(q,X);if(!$)return null;if($.warnings.forEach((Q)=>AH.warn($.options.logLevel,Q)),$.errors.length>0)if($.options.logLevel!=="silent")throw $.errors[0];else $.errors=[];return $.toJS(Object.assign({reviver:J},X))}function EH(q,Z,X){let J=null;if(typeof Z==="function"||Array.isArray(Z))J=Z;else if(X===void 0&&Z)X=Z;if(typeof X==="string")X=X.length;if(typeof X==="number"){let $=Math.round(X);X=$<1?void 0:$>8?{indent:8}:{indent:$}}if(q===void 0){let{keepUndefined:$}=X??Z??{};if(!$)return}if(SH.isDocument(q)&&!J)return q.toString(X);return new NH.Document(q,J,X).toString(X)}CH.parse=jH;CH.parseAllDocuments=bH;CH.parseDocument=L5;CH.stringify=EH});var G4=D((dB,U4)=>{var Mq=process||{},I5=Mq.argv||[],Iq=Mq.env||{},FU=!(!!Iq.NO_COLOR||I5.includes("--no-color"))&&(!!Iq.FORCE_COLOR||I5.includes("--color")||Mq.platform==="win32"||(Mq.stdout||{}).isTTY&&Iq.TERM!=="dumb"||!!Iq.CI),OU=(q,Z,X=q)=>(J)=>{let $=""+J,Q=$.indexOf(Z,q.length);return~Q?q+NU($,Z,X,Q)+Z:q+$+Z},NU=(q,Z,X,J)=>{let $="",Q=0;do $+=q.substring(Q,J)+X,Q=J+Z.length,J=q.indexOf(Z,Q);while(~J);return $+q.substring(Q)},M5=(q=FU)=>{let Z=q?OU:()=>String;return{isColorSupported:q,reset:Z("\x1B[0m","\x1B[0m"),bold:Z("\x1B[1m","\x1B[22m","\x1B[22m\x1B[1m"),dim:Z("\x1B[2m","\x1B[22m","\x1B[22m\x1B[2m"),italic:Z("\x1B[3m","\x1B[23m"),underline:Z("\x1B[4m","\x1B[24m"),inverse:Z("\x1B[7m","\x1B[27m"),hidden:Z("\x1B[8m","\x1B[28m"),strikethrough:Z("\x1B[9m","\x1B[29m"),black:Z("\x1B[30m","\x1B[39m"),red:Z("\x1B[31m","\x1B[39m"),green:Z("\x1B[32m","\x1B[39m"),yellow:Z("\x1B[33m","\x1B[39m"),blue:Z("\x1B[34m","\x1B[39m"),magenta:Z("\x1B[35m","\x1B[39m"),cyan:Z("\x1B[36m","\x1B[39m"),white:Z("\x1B[37m","\x1B[39m"),gray:Z("\x1B[90m","\x1B[39m"),bgBlack:Z("\x1B[40m","\x1B[49m"),bgRed:Z("\x1B[41m","\x1B[49m"),bgGreen:Z("\x1B[42m","\x1B[49m"),bgYellow:Z("\x1B[43m","\x1B[49m"),bgBlue:Z("\x1B[44m","\x1B[49m"),bgMagenta:Z("\x1B[45m","\x1B[49m"),bgCyan:Z("\x1B[46m","\x1B[49m"),bgWhite:Z("\x1B[47m","\x1B[49m"),blackBright:Z("\x1B[90m","\x1B[39m"),redBright:Z("\x1B[91m","\x1B[39m"),greenBright:Z("\x1B[92m","\x1B[39m"),yellowBright:Z("\x1B[93m","\x1B[39m"),blueBright:Z("\x1B[94m","\x1B[39m"),magentaBright:Z("\x1B[95m","\x1B[39m"),cyanBright:Z("\x1B[96m","\x1B[39m"),whiteBright:Z("\x1B[97m","\x1B[39m"),bgBlackBright:Z("\x1B[100m","\x1B[49m"),bgRedBright:Z("\x1B[101m","\x1B[49m"),bgGreenBright:Z("\x1B[102m","\x1B[49m"),bgYellowBright:Z("\x1B[103m","\x1B[49m"),bgBlueBright:Z("\x1B[104m","\x1B[49m"),bgMagentaBright:Z("\x1B[105m","\x1B[49m"),bgCyanBright:Z("\x1B[106m","\x1B[49m"),bgWhiteBright:Z("\x1B[107m","\x1B[49m")}};U4.exports=M5();U4.exports.createColors=M5});var B4=D((lB,K5)=>{var Y4={to(q,Z){if(!Z)return`\x1B[${q+1}G`;return`\x1B[${Z+1};${q+1}H`},move(q,Z){let X="";if(q<0)X+=`\x1B[${-q}D`;else if(q>0)X+=`\x1B[${q}C`;if(Z<0)X+=`\x1B[${-Z}A`;else if(Z>0)X+=`\x1B[${Z}B`;return X},up:(q=1)=>`\x1B[${q}A`,down:(q=1)=>`\x1B[${q}B`,forward:(q=1)=>`\x1B[${q}C`,backward:(q=1)=>`\x1B[${q}D`,nextLine:(q=1)=>"\x1B[E".repeat(q),prevLine:(q=1)=>"\x1B[F".repeat(q),left:"\x1B[G",hide:"\x1B[?25l",show:"\x1B[?25h",save:"\x1B7",restore:"\x1B8"},AU={up:(q=1)=>"\x1B[S".repeat(q),down:(q=1)=>"\x1B[T".repeat(q)},SU={screen:"\x1B[2J",up:(q=1)=>"\x1B[1J".repeat(q),down:(q=1)=>"\x1B[J".repeat(q),line:"\x1B[2K",lineEnd:"\x1B[K",lineStart:"\x1B[1K",lines(q){let Z="";for(let X=0;X<q;X++)Z+=this.line+(X<q-1?Y4.up():"");if(q)Z+=Y4.left;return Z}};K5.exports={cursor:Y4,scroll:AU,erase:SU,beep:"\x07"}});var Z2=g1(q2(),1),{program:oG,createCommand:tG,createArgument:eG,createOption:qY,CommanderError:ZY,InvalidArgumentError:XY,InvalidOptionArgumentError:JY,Command:h,Argument:$Y,Option:QY,Help:zY}=Z2.default;import{join as L1}from"node:path";import{homedir as M7,platform as K7}from"node:os";import{mkdir as P7,stat as D7}from"node:fs/promises";import{join as _1}from"node:path";import{homedir as L7,platform as W7}from"node:os";import{appendFileSync as J2,mkdirSync as R7}from"node:fs";function $2(){let q=L7(),Z=W7();if(Z==="darwin")return _1(q,"Library","Logs","agentdeps");if(Z==="win32"){let $=process.env.LOCALAPPDATA??_1(q,"AppData","Local");return _1($,"agentdeps","logs")}let X=process.env.XDG_STATE_HOME;if(X)return _1(X,"agentdeps","logs");let J=process.env.XDG_CACHE_HOME;return _1(J??_1(q,".cache"),"agentdeps","logs")}function aq(){return _1($2(),"agentdeps.log")}var N0=0,V7=0,X2=!1;function Q2(){if(X2)return!0;try{return R7($2(),{recursive:!0}),X2=!0,!0}catch{return!1}}function I7(q){if(q instanceof Error)return q.stack??`${q.name}: ${q.message}`;if(typeof q==="object"&&q!==null)return JSON.stringify(q,null,2);return String(q)}function z2(){return new Date().toISOString()}function o(q,Z){if(!Q2())return;let X=`[${z2()}] ERROR [${q}]
|
|
166
|
+
${I7(Z)}
|
|
167
|
+
|
|
168
|
+
`;try{J2(aq(),X)}catch{}N0++}function sq(q,Z){if(!Q2())return;let X=`[${z2()}] WARN [${q}] ${Z}
|
|
169
|
+
`;try{J2(aq(),X)}catch{}V7++}function A0(){if(N0===0)return;console.error(`
|
|
170
|
+
⚠ ${N0} error${N0===1?"":"s"} occurred. See log for details:
|
|
171
|
+
${aq()}`)}function H2(){let q=M7(),Z=K7();if(Z==="darwin")return L1(q,"Library","Caches","agentdeps","repos");if(Z==="win32"){let J=process.env.LOCALAPPDATA??L1(q,"AppData","Local");return L1(J,"agentdeps","repos")}let X=process.env.XDG_CACHE_HOME;return L1(X??L1(q,".cache"),"agentdeps","repos")}async function W1(q,Z){let X=Bun.spawn(["git",...q],{cwd:Z,stdout:"pipe",stderr:"pipe"}),[J,$]=await Promise.all([new Response(X.stdout).text(),new Response(X.stderr).text()]);return{success:await X.exited===0,stdout:J.trim(),stderr:$.trim()}}async function U2(){try{return(await W1(["--version"])).success}catch{return!1}}async function F7(q){try{return(await D7(q)).isDirectory()}catch{return!1}}async function O7(q,Z,X){let J=H2();await P7(J,{recursive:!0});let $=L1(J,X),Q=await W1(["clone","--branch",Z,"--single-branch",q,$]);if(!Q.success){if((await W1(["clone",q,$])).success){let H=await W1(["checkout",Z],$);if(!H.success)return{success:!1,path:$,error:H.stderr};return{success:!0,path:$}}return{success:!1,path:$,error:Q.stderr}}return{success:!0,path:$}}async function N7(q,Z){let X=await W1(["fetch","origin"],q);if(!X.success)return{success:!1,error:X.stderr};if((await W1(["reset","--hard",`origin/${Z}`],q)).success)return{success:!0};let $=await W1(["checkout",Z],q);if(!$.success)return{success:!1,error:$.stderr};return{success:!0}}async function S0(q,Z,X){let J=H2(),$=L1(J,X);if(await F7($)){let z=await N7($,Z);if(!z.success)o("cache.update",Error(`Failed to update ${X}: ${z.error}`)),console.warn(`⚠ Failed to update ${X} (using cached version)`);return{success:!0,path:$}}let Q=await O7(q,Z,X);if(!Q.success)o("cache.clone",Error(`Failed to clone ${q}: ${Q.error}`)),console.warn(`⚠ Failed to clone ${q}`);return Q}var vH=a9(),hH=$0(),gH=E9(),Q4=Q0(),uH=l1(),G1=S(),mH=$1(),dH=C(),lH=z1(),pH=H1(),yB=Bq(),cH=X4(),iH=J4(),aH=$4(),Lq=W5(),R5=m1();var sH=vH.Composer,rH=hH.Document,nH=gH.Schema,oH=Q4.YAMLError,tH=Q4.YAMLParseError,eH=Q4.YAMLWarning,qU=uH.Alias,ZU=G1.isAlias,XU=G1.isCollection,JU=G1.isDocument,$U=G1.isMap,QU=G1.isNode,zU=G1.isPair,HU=G1.isScalar,UU=G1.isSeq,GU=mH.Pair,YU=dH.Scalar,BU=lH.YAMLMap,TU=pH.YAMLSeq;var _U=cH.Lexer,LU=iH.LineCounter,WU=aH.Parser,B0=Lq.parse,RU=Lq.parseAllDocuments,VU=Lq.parseDocument,T0=Lq.stringify,IU=R5.visit,MU=R5.visitAsync;import{mkdir as KU}from"node:fs/promises";import{join as F1}from"node:path";import{homedir as PU,platform as DU}from"node:os";function z4(){let q=PU(),Z=DU();if(Z==="darwin")return F1(q,"Library","Application Support","agentdeps");if(Z==="win32"){let J=process.env.APPDATA??F1(q,"AppData","Roaming");return F1(J,"agentdeps")}let X=process.env.XDG_CONFIG_HOME;return F1(X??F1(q,".config"),"agentdeps")}function Wq(){return F1(z4(),"config.yaml")}function Rq(){return F1(z4(),"agents.yaml")}async function V5(){return Bun.file(Wq()).exists()}async function H4(){let q=Wq(),Z=Bun.file(q);if(!await Z.exists())return;let X=await Z.text(),J=B0(X),$=J.clone_method??"ssh";if($!=="ssh"&&$!=="https")throw Error(`Invalid clone_method: "${$}". Must be "ssh" or "https".`);let Q=J.install_method??"link";if(Q!=="link"&&Q!=="copy")throw Error(`Invalid install_method: "${Q}". Must be "link" or "copy".`);let z=J.agents??[];if(!Array.isArray(z))throw Error(`Invalid agents: expected an array, got ${typeof z}.`);return{clone_method:$,agents:z,install_method:Q,custom_agents:J.custom_agents}}async function Y1(){try{let q=await H4();if(!q)console.error("✗ No global config found. Run `agentdeps config` first."),process.exit(1);return q}catch(q){o("config",q);let Z=q instanceof Error?q.message:String(q);console.error(`✗ Invalid config at ${Wq()}: ${Z}`),console.error(" Run `agentdeps config` to fix it."),A0(),process.exit(1)}}async function Vq(q){let Z=z4();await KU(Z,{recursive:!0});let X=T0(q,{lineWidth:0});await Bun.write(Wq(),X)}var Oq=g1(G4(),1);import{stdout as O5,stdin as wU}from"node:process";var m=g1(B4(),1);import bU from"node:readline";var jU=(q)=>q===161||q===164||q===167||q===168||q===170||q===173||q===174||q>=176&&q<=180||q>=182&&q<=186||q>=188&&q<=191||q===198||q===208||q===215||q===216||q>=222&&q<=225||q===230||q>=232&&q<=234||q===236||q===237||q===240||q===242||q===243||q>=247&&q<=250||q===252||q===254||q===257||q===273||q===275||q===283||q===294||q===295||q===299||q>=305&&q<=307||q===312||q>=319&&q<=322||q===324||q>=328&&q<=331||q===333||q===338||q===339||q===358||q===359||q===363||q===462||q===464||q===466||q===468||q===470||q===472||q===474||q===476||q===593||q===609||q===708||q===711||q>=713&&q<=715||q===717||q===720||q>=728&&q<=731||q===733||q===735||q>=768&&q<=879||q>=913&&q<=929||q>=931&&q<=937||q>=945&&q<=961||q>=963&&q<=969||q===1025||q>=1040&&q<=1103||q===1105||q===8208||q>=8211&&q<=8214||q===8216||q===8217||q===8220||q===8221||q>=8224&&q<=8226||q>=8228&&q<=8231||q===8240||q===8242||q===8243||q===8245||q===8251||q===8254||q===8308||q===8319||q>=8321&&q<=8324||q===8364||q===8451||q===8453||q===8457||q===8467||q===8470||q===8481||q===8482||q===8486||q===8491||q===8531||q===8532||q>=8539&&q<=8542||q>=8544&&q<=8555||q>=8560&&q<=8569||q===8585||q>=8592&&q<=8601||q===8632||q===8633||q===8658||q===8660||q===8679||q===8704||q===8706||q===8707||q===8711||q===8712||q===8715||q===8719||q===8721||q===8725||q===8730||q>=8733&&q<=8736||q===8739||q===8741||q>=8743&&q<=8748||q===8750||q>=8756&&q<=8759||q===8764||q===8765||q===8776||q===8780||q===8786||q===8800||q===8801||q>=8804&&q<=8807||q===8810||q===8811||q===8814||q===8815||q===8834||q===8835||q===8838||q===8839||q===8853||q===8857||q===8869||q===8895||q===8978||q>=9312&&q<=9449||q>=9451&&q<=9547||q>=9552&&q<=9587||q>=9600&&q<=9615||q>=9618&&q<=9621||q===9632||q===9633||q>=9635&&q<=9641||q===9650||q===9651||q===9654||q===9655||q===9660||q===9661||q===9664||q===9665||q>=9670&&q<=9672||q===9675||q>=9678&&q<=9681||q>=9698&&q<=9701||q===9711||q===9733||q===9734||q===9737||q===9742||q===9743||q===9756||q===9758||q===9792||q===9794||q===9824||q===9825||q>=9827&&q<=9829||q>=9831&&q<=9834||q===9836||q===9837||q===9839||q===9886||q===9887||q===9919||q>=9926&&q<=9933||q>=9935&&q<=9939||q>=9941&&q<=9953||q===9955||q===9960||q===9961||q>=9963&&q<=9969||q===9972||q>=9974&&q<=9977||q===9979||q===9980||q===9982||q===9983||q===10045||q>=10102&&q<=10111||q>=11094&&q<=11097||q>=12872&&q<=12879||q>=57344&&q<=63743||q>=65024&&q<=65039||q===65533||q>=127232&&q<=127242||q>=127248&&q<=127277||q>=127280&&q<=127337||q>=127344&&q<=127373||q===127375||q===127376||q>=127387&&q<=127404||q>=917760&&q<=917999||q>=983040&&q<=1048573||q>=1048576&&q<=1114109,EU=(q)=>q===12288||q>=65281&&q<=65376||q>=65504&&q<=65510,CU=(q)=>q>=4352&&q<=4447||q===8986||q===8987||q===9001||q===9002||q>=9193&&q<=9196||q===9200||q===9203||q===9725||q===9726||q===9748||q===9749||q>=9800&&q<=9811||q===9855||q===9875||q===9889||q===9898||q===9899||q===9917||q===9918||q===9924||q===9925||q===9934||q===9940||q===9962||q===9970||q===9971||q===9973||q===9978||q===9981||q===9989||q===9994||q===9995||q===10024||q===10060||q===10062||q>=10067&&q<=10069||q===10071||q>=10133&&q<=10135||q===10160||q===10175||q===11035||q===11036||q===11088||q===11093||q>=11904&&q<=11929||q>=11931&&q<=12019||q>=12032&&q<=12245||q>=12272&&q<=12287||q>=12289&&q<=12350||q>=12353&&q<=12438||q>=12441&&q<=12543||q>=12549&&q<=12591||q>=12593&&q<=12686||q>=12688&&q<=12771||q>=12783&&q<=12830||q>=12832&&q<=12871||q>=12880&&q<=19903||q>=19968&&q<=42124||q>=42128&&q<=42182||q>=43360&&q<=43388||q>=44032&&q<=55203||q>=63744&&q<=64255||q>=65040&&q<=65049||q>=65072&&q<=65106||q>=65108&&q<=65126||q>=65128&&q<=65131||q>=94176&&q<=94180||q===94192||q===94193||q>=94208&&q<=100343||q>=100352&&q<=101589||q>=101632&&q<=101640||q>=110576&&q<=110579||q>=110581&&q<=110587||q===110589||q===110590||q>=110592&&q<=110882||q===110898||q>=110928&&q<=110930||q===110933||q>=110948&&q<=110951||q>=110960&&q<=111355||q===126980||q===127183||q===127374||q>=127377&&q<=127386||q>=127488&&q<=127490||q>=127504&&q<=127547||q>=127552&&q<=127560||q===127568||q===127569||q>=127584&&q<=127589||q>=127744&&q<=127776||q>=127789&&q<=127797||q>=127799&&q<=127868||q>=127870&&q<=127891||q>=127904&&q<=127946||q>=127951&&q<=127955||q>=127968&&q<=127984||q===127988||q>=127992&&q<=128062||q===128064||q>=128066&&q<=128252||q>=128255&&q<=128317||q>=128331&&q<=128334||q>=128336&&q<=128359||q===128378||q===128405||q===128406||q===128420||q>=128507&&q<=128591||q>=128640&&q<=128709||q===128716||q>=128720&&q<=128722||q>=128725&&q<=128727||q>=128732&&q<=128735||q===128747||q===128748||q>=128756&&q<=128764||q>=128992&&q<=129003||q===129008||q>=129292&&q<=129338||q>=129340&&q<=129349||q>=129351&&q<=129535||q>=129648&&q<=129660||q>=129664&&q<=129672||q>=129680&&q<=129725||q>=129727&&q<=129733||q>=129742&&q<=129755||q>=129760&&q<=129768||q>=129776&&q<=129784||q>=131072&&q<=196605||q>=196608&&q<=262141,T4=/[\u001b\u009b][[()#;?]*(?:[0-9]{1,4}(?:;[0-9]{0,4})*)?[0-9A-ORZcf-nqry=><]/y,Kq=/[\x00-\x08\x0A-\x1F\x7F-\x9F]{1,1000}/y,Pq=/\t{1,1000}/y,_4=/[\u{1F1E6}-\u{1F1FF}]{2}|\u{1F3F4}[\u{E0061}-\u{E007A}]{2}[\u{E0030}-\u{E0039}\u{E0061}-\u{E007A}]{1,3}\u{E007F}|(?:\p{Emoji}\uFE0F\u20E3?|\p{Emoji_Modifier_Base}\p{Emoji_Modifier}?|\p{Emoji_Presentation})(?:\u200D(?:\p{Emoji_Modifier_Base}\p{Emoji_Modifier}?|\p{Emoji_Presentation}|\p{Emoji}\uFE0F\u20E3?))*/yu,Dq=/(?:[\x20-\x7E\xA0-\xFF](?!\uFE0F)){1,1000}/y,fU=/\p{M}+/gu,yU={limit:1/0,ellipsis:""},N5=(q,Z={},X={})=>{let J=Z.limit??1/0,$=Z.ellipsis??"",Q=Z?.ellipsisWidth??($?N5($,yU,X).width:0),z=X.ansiWidth??0,H=X.controlWidth??0,U=X.tabWidth??8,G=X.ambiguousWidth??1,Y=X.emojiWidth??2,B=X.fullWidthWidth??2,_=X.regularWidth??1,R=X.wideWidth??2,W=0,T=0,L=q.length,I=0,M=!1,P=L,O=Math.max(0,J-Q),N=0,A=0,K=0,V=0;q:for(;;){if(A>N||T>=L&&T>W){let w=q.slice(N,A)||q.slice(W,T);I=0;for(let y of w.replaceAll(fU,"")){let x=y.codePointAt(0)||0;if(EU(x)?V=B:CU(x)?V=R:G!==_&&jU(x)?V=G:V=_,K+V>O&&(P=Math.min(P,Math.max(N,W)+I)),K+V>J){M=!0;break q}I+=y.length,K+=V}N=A=0}if(T>=L)break;if(Dq.lastIndex=T,Dq.test(q)){if(I=Dq.lastIndex-T,V=I*_,K+V>O&&(P=Math.min(P,T+Math.floor((O-K)/_))),K+V>J){M=!0;break}K+=V,N=W,A=T,T=W=Dq.lastIndex;continue}if(T4.lastIndex=T,T4.test(q)){if(K+z>O&&(P=Math.min(P,T)),K+z>J){M=!0;break}K+=z,N=W,A=T,T=W=T4.lastIndex;continue}if(Kq.lastIndex=T,Kq.test(q)){if(I=Kq.lastIndex-T,V=I*H,K+V>O&&(P=Math.min(P,T+Math.floor((O-K)/H))),K+V>J){M=!0;break}K+=V,N=W,A=T,T=W=Kq.lastIndex;continue}if(Pq.lastIndex=T,Pq.test(q)){if(I=Pq.lastIndex-T,V=I*U,K+V>O&&(P=Math.min(P,T+Math.floor((O-K)/U))),K+V>J){M=!0;break}K+=V,N=W,A=T,T=W=Pq.lastIndex;continue}if(_4.lastIndex=T,_4.test(q)){if(K+Y>O&&(P=Math.min(P,T)),K+Y>J){M=!0;break}K+=Y,N=W,A=T,T=W=_4.lastIndex;continue}T+=1}return{width:M?O:K,index:M?P:L,truncated:M,ellipsed:M&&J>=Q}},xU={limit:1/0,ellipsis:"",ellipsisWidth:0},_0=(q,Z={})=>N5(q,xU,Z).width,Nq="\x1B",A5="",kU=39,V4="\x07",S5="[",vU="]",w5="m",I4=`${vU}8;;`,P5=new RegExp(`(?:\\${S5}(?<code>\\d+)m|\\${I4}(?<uri>.*)${V4})`,"y"),hU=(q)=>{if(q>=30&&q<=37||q>=90&&q<=97)return 39;if(q>=40&&q<=47||q>=100&&q<=107)return 49;if(q===1||q===2)return 22;if(q===3)return 23;if(q===4)return 24;if(q===7)return 27;if(q===8)return 28;if(q===9)return 29;if(q===0)return 0},D5=(q)=>`${Nq}${S5}${q}${w5}`,F5=(q)=>`${Nq}${I4}${q}${V4}`,gU=(q)=>q.map((Z)=>_0(Z)),L4=(q,Z,X)=>{let J=Z[Symbol.iterator](),$=!1,Q=!1,z=q.at(-1),H=z===void 0?0:_0(z),U=J.next(),G=J.next(),Y=0;for(;!U.done;){let B=U.value,_=_0(B);H+_<=X?q[q.length-1]+=B:(q.push(B),H=0),(B===Nq||B===A5)&&($=!0,Q=Z.startsWith(I4,Y+1)),$?Q?B===V4&&($=!1,Q=!1):B===w5&&($=!1):(H+=_,H===X&&!G.done&&(q.push(""),H=0)),U=G,G=J.next(),Y+=B.length}z=q.at(-1),!H&&z!==void 0&&z.length>0&&q.length>1&&(q[q.length-2]+=q.pop())},uU=(q)=>{let Z=q.split(" "),X=Z.length;for(;X>0&&!(_0(Z[X-1])>0);)X--;return X===Z.length?q:Z.slice(0,X).join(" ")+Z.slice(X).join("")},mU=(q,Z,X={})=>{if(X.trim!==!1&&q.trim()==="")return"";let J="",$,Q,z=q.split(" "),H=gU(z),U=[""];for(let[W,T]of z.entries()){X.trim!==!1&&(U[U.length-1]=(U.at(-1)??"").trimStart());let L=_0(U.at(-1)??"");if(W!==0&&(L>=Z&&(X.wordWrap===!1||X.trim===!1)&&(U.push(""),L=0),(L>0||X.trim===!1)&&(U[U.length-1]+=" ",L++)),X.hard&&H[W]>Z){let I=Z-L,M=1+Math.floor((H[W]-I-1)/Z);Math.floor((H[W]-1)/Z)<M&&U.push(""),L4(U,T,Z);continue}if(L+H[W]>Z&&L>0&&H[W]>0){if(X.wordWrap===!1&&L<Z){L4(U,T,Z);continue}U.push("")}if(L+H[W]>Z&&X.wordWrap===!1){L4(U,T,Z);continue}U[U.length-1]+=T}X.trim!==!1&&(U=U.map((W)=>uU(W)));let G=U.join(`
|
|
172
|
+
`),Y=G[Symbol.iterator](),B=Y.next(),_=Y.next(),R=0;for(;!B.done;){let W=B.value,T=_.value;if(J+=W,W===Nq||W===A5){P5.lastIndex=R+1;let I=P5.exec(G)?.groups;if(I?.code!==void 0){let M=Number.parseFloat(I.code);$=M===kU?void 0:M}else I?.uri!==void 0&&(Q=I.uri.length===0?void 0:I.uri)}let L=$?hU($):void 0;T===`
|
|
173
|
+
`?(Q&&(J+=F5("")),$&&L&&(J+=D5(L))):W===`
|
|
174
|
+
`&&($&&L&&(J+=D5($)),Q&&(J+=F5(Q))),R+=W.length,B=_,_=Y.next()}return J};function W4(q,Z,X){return String(q).normalize().replaceAll(`\r
|
|
175
|
+
`,`
|
|
176
|
+
`).split(`
|
|
177
|
+
`).map((J)=>mU(J,Z,X)).join(`
|
|
178
|
+
`)}var dU=["up","down","left","right","space","enter","cancel"],O1={actions:new Set(dU),aliases:new Map([["k","up"],["j","down"],["h","left"],["l","right"],["\x03","cancel"],["escape","cancel"]]),messages:{cancel:"Canceled",error:"Something went wrong"},withGuide:!0};function b5(q,Z){if(typeof q=="string")return O1.aliases.get(q)===Z;for(let X of q)if(X!==void 0&&b5(X,Z))return!0;return!1}function lU(q,Z){if(q===Z)return;let X=q.split(`
|
|
179
|
+
`),J=Z.split(`
|
|
180
|
+
`),$=Math.max(X.length,J.length),Q=[];for(let z=0;z<$;z++)X[z]!==J[z]&&Q.push(z);return{lines:Q,numLinesBefore:X.length,numLinesAfter:J.length,numLines:$}}var iB=globalThis.process.platform.startsWith("win"),R4=Symbol("clack:cancel");function q1(q){return q===R4}function Fq(q,Z){let X=q;X.isTTY&&X.setRawMode(Z)}var M4=(q)=>("columns"in q)&&typeof q.columns=="number"?q.columns:80,K4=(q)=>("rows"in q)&&typeof q.rows=="number"?q.rows:20;function A1(q,Z,X,J=X){let $=M4(q??O5);return W4(Z,$-X.length,{hard:!0,trim:!1}).split(`
|
|
181
|
+
`).map((Q,z)=>`${z===0?J:X}${Q}`).join(`
|
|
182
|
+
`)}class L0{input;output;_abortSignal;rl;opts;_render;_track=!1;_prevFrame="";_subscribers=new Map;_cursor=0;state="initial";error="";value;userInput="";constructor(q,Z=!0){let{input:X=wU,output:J=O5,render:$,signal:Q,...z}=q;this.opts=z,this.onKeypress=this.onKeypress.bind(this),this.close=this.close.bind(this),this.render=this.render.bind(this),this._render=$.bind(this),this._track=Z,this._abortSignal=Q,this.input=X,this.output=J}unsubscribe(){this._subscribers.clear()}setSubscriber(q,Z){let X=this._subscribers.get(q)??[];X.push(Z),this._subscribers.set(q,X)}on(q,Z){this.setSubscriber(q,{cb:Z})}once(q,Z){this.setSubscriber(q,{cb:Z,once:!0})}emit(q,...Z){let X=this._subscribers.get(q)??[],J=[];for(let $ of X)$.cb(...Z),$.once&&J.push(()=>X.splice(X.indexOf($),1));for(let $ of J)$()}prompt(){return new Promise((q)=>{if(this._abortSignal){if(this._abortSignal.aborted)return this.state="cancel",this.close(),q(R4);this._abortSignal.addEventListener("abort",()=>{this.state="cancel",this.close()},{once:!0})}this.rl=bU.createInterface({input:this.input,tabSize:2,prompt:"",escapeCodeTimeout:50,terminal:!0}),this.rl.prompt(),this.opts.initialUserInput!==void 0&&this._setUserInput(this.opts.initialUserInput,!0),this.input.on("keypress",this.onKeypress),Fq(this.input,!0),this.output.on("resize",this.render),this.render(),this.once("submit",()=>{this.output.write(m.cursor.show),this.output.off("resize",this.render),Fq(this.input,!1),q(this.value)}),this.once("cancel",()=>{this.output.write(m.cursor.show),this.output.off("resize",this.render),Fq(this.input,!1),q(R4)})})}_isActionKey(q,Z){return q==="\t"}_setValue(q){this.value=q,this.emit("value",this.value)}_setUserInput(q,Z){this.userInput=q??"",this.emit("userInput",this.userInput),Z&&this._track&&this.rl&&(this.rl.write(this.userInput),this._cursor=this.rl.cursor)}_clearUserInput(){this.rl?.write(null,{ctrl:!0,name:"u"}),this._setUserInput("")}onKeypress(q,Z){if(this._track&&Z.name!=="return"&&(Z.name&&this._isActionKey(q,Z)&&this.rl?.write(null,{ctrl:!0,name:"h"}),this._cursor=this.rl?.cursor??0,this._setUserInput(this.rl?.line)),this.state==="error"&&(this.state="active"),Z?.name&&(!this._track&&O1.aliases.has(Z.name)&&this.emit("cursor",O1.aliases.get(Z.name)),O1.actions.has(Z.name)&&this.emit("cursor",Z.name)),q&&(q.toLowerCase()==="y"||q.toLowerCase()==="n")&&this.emit("confirm",q.toLowerCase()==="y"),this.emit("key",q?.toLowerCase(),Z),Z?.name==="return"){if(this.opts.validate){let X=this.opts.validate(this.value);X&&(this.error=X instanceof Error?X.message:X,this.state="error",this.rl?.write(this.userInput))}this.state!=="error"&&(this.state="submit")}b5([q,Z?.name,Z?.sequence],"cancel")&&(this.state="cancel"),(this.state==="submit"||this.state==="cancel")&&this.emit("finalize"),this.render(),(this.state==="submit"||this.state==="cancel")&&this.close()}close(){this.input.unpipe(),this.input.removeListener("keypress",this.onKeypress),this.output.write(`
|
|
183
|
+
`),Fq(this.input,!1),this.rl?.close(),this.rl=void 0,this.emit(`${this.state}`,this.value),this.unsubscribe()}restoreCursor(){let q=W4(this._prevFrame,process.stdout.columns,{hard:!0,trim:!1}).split(`
|
|
184
|
+
`).length-1;this.output.write(m.cursor.move(-999,q*-1))}render(){let q=W4(this._render(this)??"",process.stdout.columns,{hard:!0,trim:!1});if(q!==this._prevFrame){if(this.state==="initial")this.output.write(m.cursor.hide);else{let Z=lU(this._prevFrame,q),X=K4(this.output);if(this.restoreCursor(),Z){let J=Math.max(0,Z.numLinesAfter-X),$=Math.max(0,Z.numLinesBefore-X),Q=Z.lines.find((z)=>z>=J);if(Q===void 0){this._prevFrame=q;return}if(Z.lines.length===1){this.output.write(m.cursor.move(0,Q-$)),this.output.write(m.erase.lines(1));let z=q.split(`
|
|
185
|
+
`);this.output.write(z[Q]),this._prevFrame=q,this.output.write(m.cursor.move(0,z.length-Q-1));return}else if(Z.lines.length>1){if(J<$)Q=J;else{let H=Q-$;H>0&&this.output.write(m.cursor.move(0,H))}this.output.write(m.erase.down());let z=q.split(`
|
|
186
|
+
`).slice(Q);this.output.write(z.join(`
|
|
187
|
+
`)),this._prevFrame=q;return}}this.output.write(m.erase.down())}this.output.write(q),this.state==="initial"&&(this.state="active"),this._prevFrame=q}}}function pU(q,Z){if(q===void 0||Z.length===0)return 0;let X=Z.findIndex((J)=>J.value===q);return X!==-1?X:0}function cU(q,Z){return(Z.label??String(Z.value)).toLowerCase().includes(q.toLowerCase())}function iU(q,Z){if(Z)return q?Z:Z[0]}class j5 extends L0{filteredOptions;multiple;isNavigating=!1;selectedValues=[];focusedValue;#q=0;#X="";#J;#Z;get cursor(){return this.#q}get userInputWithCursor(){if(!this.userInput)return Oq.default.inverse(Oq.default.hidden("_"));if(this._cursor>=this.userInput.length)return`${this.userInput}█`;let q=this.userInput.slice(0,this._cursor),[Z,...X]=this.userInput.slice(this._cursor);return`${q}${Oq.default.inverse(Z)}${X.join("")}`}get options(){return typeof this.#Z=="function"?this.#Z():this.#Z}constructor(q){super(q),this.#Z=q.options;let Z=this.options;this.filteredOptions=[...Z],this.multiple=q.multiple===!0,this.#J=q.filter??cU;let X;if(q.initialValue&&Array.isArray(q.initialValue)?this.multiple?X=q.initialValue:X=q.initialValue.slice(0,1):!this.multiple&&this.options.length>0&&(X=[this.options[0].value]),X)for(let J of X){let $=Z.findIndex((Q)=>Q.value===J);$!==-1&&(this.toggleSelected(J),this.#q=$)}this.focusedValue=this.options[this.#q]?.value,this.on("key",(J,$)=>this.#$(J,$)),this.on("userInput",(J)=>this.#Q(J))}_isActionKey(q,Z){return q==="\t"||this.multiple&&this.isNavigating&&Z.name==="space"&&q!==void 0&&q!==""}#$(q,Z){let X=Z.name==="up",J=Z.name==="down",$=Z.name==="return";X||J?(this.#q=Math.max(0,Math.min(this.#q+(X?-1:1),this.filteredOptions.length-1)),this.focusedValue=this.filteredOptions[this.#q]?.value,this.multiple||(this.selectedValues=[this.focusedValue]),this.isNavigating=!0):$?this.value=iU(this.multiple,this.selectedValues):this.multiple?this.focusedValue!==void 0&&(Z.name==="tab"||this.isNavigating&&Z.name==="space")?this.toggleSelected(this.focusedValue):this.isNavigating=!1:(this.focusedValue&&(this.selectedValues=[this.focusedValue]),this.isNavigating=!1)}deselectAll(){this.selectedValues=[]}toggleSelected(q){this.filteredOptions.length!==0&&(this.multiple?this.selectedValues.includes(q)?this.selectedValues=this.selectedValues.filter((Z)=>Z!==q):this.selectedValues=[...this.selectedValues,q]:this.selectedValues=[q])}#Q(q){if(q!==this.#X){this.#X=q;let Z=this.options;q?this.filteredOptions=Z.filter((X)=>this.#J(q,X)):this.filteredOptions=[...Z],this.#q=pU(this.focusedValue,this.filteredOptions),this.focusedValue=this.filteredOptions[this.#q]?.value,this.multiple||(this.focusedValue!==void 0?this.toggleSelected(this.focusedValue):this.deselectAll())}}}class E5 extends L0{options;cursor=0;#q;getGroupItems(q){return this.options.filter((Z)=>Z.group===q)}isGroupSelected(q){let Z=this.getGroupItems(q),X=this.value;return X===void 0?!1:Z.every((J)=>X.includes(J.value))}toggleValue(){let q=this.options[this.cursor];if(this.value===void 0&&(this.value=[]),q.group===!0){let Z=q.value,X=this.getGroupItems(Z);this.isGroupSelected(Z)?this.value=this.value.filter((J)=>X.findIndex(($)=>$.value===J)===-1):this.value=[...this.value,...X.map((J)=>J.value)],this.value=Array.from(new Set(this.value))}else{let Z=this.value.includes(q.value);this.value=Z?this.value.filter((X)=>X!==q.value):[...this.value,q.value]}}constructor(q){super(q,!1);let{options:Z}=q;this.#q=q.selectableGroups!==!1,this.options=Object.entries(Z).flatMap(([X,J])=>[{value:X,group:!0,label:X},...J.map(($)=>({...$,group:X}))]),this.value=[...q.initialValues??[]],this.cursor=Math.max(this.options.findIndex(({value:X})=>X===q.cursorAt),this.#q?0:1),this.on("cursor",(X)=>{switch(X){case"left":case"up":{this.cursor=this.cursor===0?this.options.length-1:this.cursor-1;let J=this.options[this.cursor]?.group===!0;!this.#q&&J&&(this.cursor=this.cursor===0?this.options.length-1:this.cursor-1);break}case"down":case"right":{this.cursor=this.cursor===this.options.length-1?0:this.cursor+1;let J=this.options[this.cursor]?.group===!0;!this.#q&&J&&(this.cursor=this.cursor===this.options.length-1?0:this.cursor+1);break}case"space":this.toggleValue();break}})}}function N1(q,Z,X){let J=q+Z,$=Math.max(X.length-1,0),Q=J<0?$:J>$?0:J;return X[Q].disabled?N1(Q,Z<0?-1:1,X):Q}class P4 extends L0{options;cursor=0;get _value(){return this.options[this.cursor].value}get _enabledOptions(){return this.options.filter((q)=>q.disabled!==!0)}toggleAll(){let q=this._enabledOptions,Z=this.value!==void 0&&this.value.length===q.length;this.value=Z?[]:q.map((X)=>X.value)}toggleInvert(){let q=this.value;if(!q)return;let Z=this._enabledOptions.filter((X)=>!q.includes(X.value));this.value=Z.map((X)=>X.value)}toggleValue(){this.value===void 0&&(this.value=[]);let q=this.value.includes(this._value);this.value=q?this.value.filter((Z)=>Z!==this._value):[...this.value,this._value]}constructor(q){super(q,!1),this.options=q.options,this.value=[...q.initialValues??[]];let Z=Math.max(this.options.findIndex(({value:X})=>X===q.cursorAt),0);this.cursor=this.options[Z].disabled?N1(Z,1,this.options):Z,this.on("key",(X)=>{X==="a"&&this.toggleAll(),X==="i"&&this.toggleInvert()}),this.on("cursor",(X)=>{switch(X){case"left":case"up":this.cursor=N1(this.cursor,-1,this.options);break;case"down":case"right":this.cursor=N1(this.cursor,1,this.options);break;case"space":this.toggleValue();break}})}}class D4 extends L0{options;cursor=0;get _selectedValue(){return this.options[this.cursor]}changeValue(){this.value=this._selectedValue.value}constructor(q){super(q,!1),this.options=q.options;let Z=this.options.findIndex(({value:J})=>J===q.initialValue),X=Z===-1?0:Z;this.cursor=this.options[X].disabled?N1(X,1,this.options):X,this.changeValue(),this.on("cursor",(J)=>{switch(J){case"left":case"up":this.cursor=N1(this.cursor,-1,this.options);break;case"down":case"right":this.cursor=N1(this.cursor,1,this.options);break}this.changeValue()})}}var F=g1(G4(),1);import p from"node:process";var h5=g1(B4(),1);function aU(){return p.platform!=="win32"?p.env.TERM!=="linux":!!p.env.CI||!!p.env.WT_SESSION||!!p.env.TERMINUS_SUBLIME||p.env.ConEmuTask==="{cmd::Cmder}"||p.env.TERM_PROGRAM==="Terminus-Sublime"||p.env.TERM_PROGRAM==="vscode"||p.env.TERM==="xterm-256color"||p.env.TERM==="alacritty"||p.env.TERMINAL_EMULATOR==="JetBrains-JediTerm"}var sU=aU();var j=(q,Z)=>sU?q:Z,rU=j("◆","*"),nU=j("■","x"),oU=j("▲","x"),g5=j("◇","o"),tU=j("┌","T"),f=j("│","|"),R0=j("└","—"),XT=j("┐","T"),JT=j("┘","—"),eU=j("●",">"),C5=j("○"," "),qG=j("◻","[•]"),f5=j("◼","[+]"),y5=j("◻","[ ]"),$T=j("▪","•"),QT=j("─","-"),zT=j("╮","+"),HT=j("├","+"),UT=j("╯","+"),GT=j("╰","+"),YT=j("╭","+"),ZG=j("●","•"),XG=j("◆","*"),JG=j("▲","!"),$G=j("■","x"),u5=(q)=>{switch(q){case"initial":case"active":return F.default.cyan(rU);case"cancel":return F.default.red(nU);case"error":return F.default.yellow(oU);case"submit":return F.default.green(g5)}},m5=(q)=>{switch(q){case"initial":case"active":return F.default.cyan(f);case"cancel":return F.default.red(f);case"error":return F.default.yellow(f);case"submit":return F.default.green(f)}},QG=(q)=>q===161||q===164||q===167||q===168||q===170||q===173||q===174||q>=176&&q<=180||q>=182&&q<=186||q>=188&&q<=191||q===198||q===208||q===215||q===216||q>=222&&q<=225||q===230||q>=232&&q<=234||q===236||q===237||q===240||q===242||q===243||q>=247&&q<=250||q===252||q===254||q===257||q===273||q===275||q===283||q===294||q===295||q===299||q>=305&&q<=307||q===312||q>=319&&q<=322||q===324||q>=328&&q<=331||q===333||q===338||q===339||q===358||q===359||q===363||q===462||q===464||q===466||q===468||q===470||q===472||q===474||q===476||q===593||q===609||q===708||q===711||q>=713&&q<=715||q===717||q===720||q>=728&&q<=731||q===733||q===735||q>=768&&q<=879||q>=913&&q<=929||q>=931&&q<=937||q>=945&&q<=961||q>=963&&q<=969||q===1025||q>=1040&&q<=1103||q===1105||q===8208||q>=8211&&q<=8214||q===8216||q===8217||q===8220||q===8221||q>=8224&&q<=8226||q>=8228&&q<=8231||q===8240||q===8242||q===8243||q===8245||q===8251||q===8254||q===8308||q===8319||q>=8321&&q<=8324||q===8364||q===8451||q===8453||q===8457||q===8467||q===8470||q===8481||q===8482||q===8486||q===8491||q===8531||q===8532||q>=8539&&q<=8542||q>=8544&&q<=8555||q>=8560&&q<=8569||q===8585||q>=8592&&q<=8601||q===8632||q===8633||q===8658||q===8660||q===8679||q===8704||q===8706||q===8707||q===8711||q===8712||q===8715||q===8719||q===8721||q===8725||q===8730||q>=8733&&q<=8736||q===8739||q===8741||q>=8743&&q<=8748||q===8750||q>=8756&&q<=8759||q===8764||q===8765||q===8776||q===8780||q===8786||q===8800||q===8801||q>=8804&&q<=8807||q===8810||q===8811||q===8814||q===8815||q===8834||q===8835||q===8838||q===8839||q===8853||q===8857||q===8869||q===8895||q===8978||q>=9312&&q<=9449||q>=9451&&q<=9547||q>=9552&&q<=9587||q>=9600&&q<=9615||q>=9618&&q<=9621||q===9632||q===9633||q>=9635&&q<=9641||q===9650||q===9651||q===9654||q===9655||q===9660||q===9661||q===9664||q===9665||q>=9670&&q<=9672||q===9675||q>=9678&&q<=9681||q>=9698&&q<=9701||q===9711||q===9733||q===9734||q===9737||q===9742||q===9743||q===9756||q===9758||q===9792||q===9794||q===9824||q===9825||q>=9827&&q<=9829||q>=9831&&q<=9834||q===9836||q===9837||q===9839||q===9886||q===9887||q===9919||q>=9926&&q<=9933||q>=9935&&q<=9939||q>=9941&&q<=9953||q===9955||q===9960||q===9961||q>=9963&&q<=9969||q===9972||q>=9974&&q<=9977||q===9979||q===9980||q===9982||q===9983||q===10045||q>=10102&&q<=10111||q>=11094&&q<=11097||q>=12872&&q<=12879||q>=57344&&q<=63743||q>=65024&&q<=65039||q===65533||q>=127232&&q<=127242||q>=127248&&q<=127277||q>=127280&&q<=127337||q>=127344&&q<=127373||q===127375||q===127376||q>=127387&&q<=127404||q>=917760&&q<=917999||q>=983040&&q<=1048573||q>=1048576&&q<=1114109,zG=(q)=>q===12288||q>=65281&&q<=65376||q>=65504&&q<=65510,HG=(q)=>q>=4352&&q<=4447||q===8986||q===8987||q===9001||q===9002||q>=9193&&q<=9196||q===9200||q===9203||q===9725||q===9726||q===9748||q===9749||q>=9800&&q<=9811||q===9855||q===9875||q===9889||q===9898||q===9899||q===9917||q===9918||q===9924||q===9925||q===9934||q===9940||q===9962||q===9970||q===9971||q===9973||q===9978||q===9981||q===9989||q===9994||q===9995||q===10024||q===10060||q===10062||q>=10067&&q<=10069||q===10071||q>=10133&&q<=10135||q===10160||q===10175||q===11035||q===11036||q===11088||q===11093||q>=11904&&q<=11929||q>=11931&&q<=12019||q>=12032&&q<=12245||q>=12272&&q<=12287||q>=12289&&q<=12350||q>=12353&&q<=12438||q>=12441&&q<=12543||q>=12549&&q<=12591||q>=12593&&q<=12686||q>=12688&&q<=12771||q>=12783&&q<=12830||q>=12832&&q<=12871||q>=12880&&q<=19903||q>=19968&&q<=42124||q>=42128&&q<=42182||q>=43360&&q<=43388||q>=44032&&q<=55203||q>=63744&&q<=64255||q>=65040&&q<=65049||q>=65072&&q<=65106||q>=65108&&q<=65126||q>=65128&&q<=65131||q>=94176&&q<=94180||q===94192||q===94193||q>=94208&&q<=100343||q>=100352&&q<=101589||q>=101632&&q<=101640||q>=110576&&q<=110579||q>=110581&&q<=110587||q===110589||q===110590||q>=110592&&q<=110882||q===110898||q>=110928&&q<=110930||q===110933||q>=110948&&q<=110951||q>=110960&&q<=111355||q===126980||q===127183||q===127374||q>=127377&&q<=127386||q>=127488&&q<=127490||q>=127504&&q<=127547||q>=127552&&q<=127560||q===127568||q===127569||q>=127584&&q<=127589||q>=127744&&q<=127776||q>=127789&&q<=127797||q>=127799&&q<=127868||q>=127870&&q<=127891||q>=127904&&q<=127946||q>=127951&&q<=127955||q>=127968&&q<=127984||q===127988||q>=127992&&q<=128062||q===128064||q>=128066&&q<=128252||q>=128255&&q<=128317||q>=128331&&q<=128334||q>=128336&&q<=128359||q===128378||q===128405||q===128406||q===128420||q>=128507&&q<=128591||q>=128640&&q<=128709||q===128716||q>=128720&&q<=128722||q>=128725&&q<=128727||q>=128732&&q<=128735||q===128747||q===128748||q>=128756&&q<=128764||q>=128992&&q<=129003||q===129008||q>=129292&&q<=129338||q>=129340&&q<=129349||q>=129351&&q<=129535||q>=129648&&q<=129660||q>=129664&&q<=129672||q>=129680&&q<=129725||q>=129727&&q<=129733||q>=129742&&q<=129755||q>=129760&&q<=129768||q>=129776&&q<=129784||q>=131072&&q<=196605||q>=196608&&q<=262141,F4=/[\u001b\u009b][[()#;?]*(?:[0-9]{1,4}(?:;[0-9]{0,4})*)?[0-9A-ORZcf-nqry=><]/y,Aq=/[\x00-\x08\x0A-\x1F\x7F-\x9F]{1,1000}/y,Sq=/\t{1,1000}/y,O4=/[\u{1F1E6}-\u{1F1FF}]{2}|\u{1F3F4}[\u{E0061}-\u{E007A}]{2}[\u{E0030}-\u{E0039}\u{E0061}-\u{E007A}]{1,3}\u{E007F}|(?:\p{Emoji}\uFE0F\u20E3?|\p{Emoji_Modifier_Base}\p{Emoji_Modifier}?|\p{Emoji_Presentation})(?:\u200D(?:\p{Emoji_Modifier_Base}\p{Emoji_Modifier}?|\p{Emoji_Presentation}|\p{Emoji}\uFE0F\u20E3?))*/yu,wq=/(?:[\x20-\x7E\xA0-\xFF](?!\uFE0F)){1,1000}/y,UG=/\p{M}+/gu,GG={limit:1/0,ellipsis:""},d5=(q,Z={},X={})=>{let J=Z.limit??1/0,$=Z.ellipsis??"",Q=Z?.ellipsisWidth??($?d5($,GG,X).width:0),z=X.ansiWidth??0,H=X.controlWidth??0,U=X.tabWidth??8,G=X.ambiguousWidth??1,Y=X.emojiWidth??2,B=X.fullWidthWidth??2,_=X.regularWidth??1,R=X.wideWidth??2,W=0,T=0,L=q.length,I=0,M=!1,P=L,O=Math.max(0,J-Q),N=0,A=0,K=0,V=0;q:for(;;){if(A>N||T>=L&&T>W){let w=q.slice(N,A)||q.slice(W,T);I=0;for(let y of w.replaceAll(UG,"")){let x=y.codePointAt(0)||0;if(zG(x)?V=B:HG(x)?V=R:G!==_&&QG(x)?V=G:V=_,K+V>O&&(P=Math.min(P,Math.max(N,W)+I)),K+V>J){M=!0;break q}I+=y.length,K+=V}N=A=0}if(T>=L)break;if(wq.lastIndex=T,wq.test(q)){if(I=wq.lastIndex-T,V=I*_,K+V>O&&(P=Math.min(P,T+Math.floor((O-K)/_))),K+V>J){M=!0;break}K+=V,N=W,A=T,T=W=wq.lastIndex;continue}if(F4.lastIndex=T,F4.test(q)){if(K+z>O&&(P=Math.min(P,T)),K+z>J){M=!0;break}K+=z,N=W,A=T,T=W=F4.lastIndex;continue}if(Aq.lastIndex=T,Aq.test(q)){if(I=Aq.lastIndex-T,V=I*H,K+V>O&&(P=Math.min(P,T+Math.floor((O-K)/H))),K+V>J){M=!0;break}K+=V,N=W,A=T,T=W=Aq.lastIndex;continue}if(Sq.lastIndex=T,Sq.test(q)){if(I=Sq.lastIndex-T,V=I*U,K+V>O&&(P=Math.min(P,T+Math.floor((O-K)/U))),K+V>J){M=!0;break}K+=V,N=W,A=T,T=W=Sq.lastIndex;continue}if(O4.lastIndex=T,O4.test(q)){if(K+Y>O&&(P=Math.min(P,T)),K+Y>J){M=!0;break}K+=Y,N=W,A=T,T=W=O4.lastIndex;continue}T+=1}return{width:M?O:K,index:M?P:L,truncated:M,ellipsed:M&&J>=Q}},YG={limit:1/0,ellipsis:"",ellipsisWidth:0},V0=(q,Z={})=>d5(q,YG,Z).width,jq="\x1B",l5="",BG=39,S4="\x07",p5="[",TG="]",c5="m",w4=`${TG}8;;`,x5=new RegExp(`(?:\\${p5}(?<code>\\d+)m|\\${w4}(?<uri>.*)${S4})`,"y"),_G=(q)=>{if(q>=30&&q<=37||q>=90&&q<=97)return 39;if(q>=40&&q<=47||q>=100&&q<=107)return 49;if(q===1||q===2)return 22;if(q===3)return 23;if(q===4)return 24;if(q===7)return 27;if(q===8)return 28;if(q===9)return 29;if(q===0)return 0},k5=(q)=>`${jq}${p5}${q}${c5}`,v5=(q)=>`${jq}${w4}${q}${S4}`,LG=(q)=>q.map((Z)=>V0(Z)),N4=(q,Z,X)=>{let J=Z[Symbol.iterator](),$=!1,Q=!1,z=q.at(-1),H=z===void 0?0:V0(z),U=J.next(),G=J.next(),Y=0;for(;!U.done;){let B=U.value,_=V0(B);H+_<=X?q[q.length-1]+=B:(q.push(B),H=0),(B===jq||B===l5)&&($=!0,Q=Z.startsWith(w4,Y+1)),$?Q?B===S4&&($=!1,Q=!1):B===c5&&($=!1):(H+=_,H===X&&!G.done&&(q.push(""),H=0)),U=G,G=J.next(),Y+=B.length}z=q.at(-1),!H&&z!==void 0&&z.length>0&&q.length>1&&(q[q.length-2]+=q.pop())},WG=(q)=>{let Z=q.split(" "),X=Z.length;for(;X>0&&!(V0(Z[X-1])>0);)X--;return X===Z.length?q:Z.slice(0,X).join(" ")+Z.slice(X).join("")},RG=(q,Z,X={})=>{if(X.trim!==!1&&q.trim()==="")return"";let J="",$,Q,z=q.split(" "),H=LG(z),U=[""];for(let[W,T]of z.entries()){X.trim!==!1&&(U[U.length-1]=(U.at(-1)??"").trimStart());let L=V0(U.at(-1)??"");if(W!==0&&(L>=Z&&(X.wordWrap===!1||X.trim===!1)&&(U.push(""),L=0),(L>0||X.trim===!1)&&(U[U.length-1]+=" ",L++)),X.hard&&H[W]>Z){let I=Z-L,M=1+Math.floor((H[W]-I-1)/Z);Math.floor((H[W]-1)/Z)<M&&U.push(""),N4(U,T,Z);continue}if(L+H[W]>Z&&L>0&&H[W]>0){if(X.wordWrap===!1&&L<Z){N4(U,T,Z);continue}U.push("")}if(L+H[W]>Z&&X.wordWrap===!1){N4(U,T,Z);continue}U[U.length-1]+=T}X.trim!==!1&&(U=U.map((W)=>WG(W)));let G=U.join(`
|
|
188
|
+
`),Y=G[Symbol.iterator](),B=Y.next(),_=Y.next(),R=0;for(;!B.done;){let W=B.value,T=_.value;if(J+=W,W===jq||W===l5){x5.lastIndex=R+1;let I=x5.exec(G)?.groups;if(I?.code!==void 0){let M=Number.parseFloat(I.code);$=M===BG?void 0:M}else I?.uri!==void 0&&(Q=I.uri.length===0?void 0:I.uri)}let L=$?_G($):void 0;T===`
|
|
189
|
+
`?(Q&&(J+=v5("")),$&&L&&(J+=k5(L))):W===`
|
|
190
|
+
`&&($&&L&&(J+=k5($)),Q&&(J+=v5(Q))),R+=W.length,B=_,_=Y.next()}return J};function VG(q,Z,X){return String(q).normalize().replaceAll(`\r
|
|
191
|
+
`,`
|
|
192
|
+
`).split(`
|
|
193
|
+
`).map((J)=>RG(J,Z,X)).join(`
|
|
194
|
+
`)}var IG=(q,Z,X,J,$)=>{let Q=Z,z=0;for(let H=X;H<J;H++){let U=q[H];if(Q=Q-U.length,z++,Q<=$)break}return{lineCount:Q,removals:z}},A4=(q)=>{let{cursor:Z,options:X,style:J}=q,$=q.output??process.stdout,Q=M4($),z=q.columnPadding??0,H=q.rowPadding??4,U=Q-z,G=K4($),Y=F.default.dim("..."),B=q.maxItems??Number.POSITIVE_INFINITY,_=Math.max(G-H,0),R=Math.max(Math.min(B,_),5),W=0;Z>=R-3&&(W=Math.max(Math.min(Z-R+3,X.length-R),0));let T=R<X.length&&W>0,L=R<X.length&&W+R<X.length,I=Math.min(W+R,X.length),M=[],P=0;T&&P++,L&&P++;let O=W+(T?1:0),N=I-(L?1:0);for(let K=O;K<N;K++){let V=VG(J(X[K],K===Z),U,{hard:!0,trim:!1}).split(`
|
|
195
|
+
`);M.push(V),P+=V.length}if(P>_){let K=0,V=0,w=P,y=Z-O,x=(E,D0)=>IG(M,w,E,D0,_);T?({lineCount:w,removals:K}=x(0,y),w>_&&({lineCount:w,removals:V}=x(y+1,M.length))):({lineCount:w,removals:V}=x(y+1,M.length),w>_&&({lineCount:w,removals:K}=x(0,y))),K>0&&(T=!0,M.splice(0,K)),V>0&&(L=!0,M.splice(M.length-V,V))}let A=[];T&&A.push(Y);for(let K of M)for(let V of K)A.push(V);return L&&A.push(Y),A};var B1={message:(q=[],{symbol:Z=F.default.gray(f),secondarySymbol:X=F.default.gray(f),output:J=process.stdout,spacing:$=1,withGuide:Q}={})=>{let z=[],H=(Q??O1.withGuide)!==!1,U=H?X:"",G=H?`${Z} `:"",Y=H?`${X} `:"";for(let _=0;_<$;_++)z.push(U);let B=Array.isArray(q)?q:q.split(`
|
|
196
|
+
`);if(B.length>0){let[_,...R]=B;_.length>0?z.push(`${G}${_}`):z.push(H?Z:"");for(let W of R)W.length>0?z.push(`${Y}${W}`):z.push(H?X:"")}J.write(`${z.join(`
|
|
197
|
+
`)}
|
|
198
|
+
`)},info:(q,Z)=>{B1.message(q,{...Z,symbol:F.default.blue(ZG)})},success:(q,Z)=>{B1.message(q,{...Z,symbol:F.default.green(XG)})},step:(q,Z)=>{B1.message(q,{...Z,symbol:F.default.green(g5)})},warn:(q,Z)=>{B1.message(q,{...Z,symbol:F.default.yellow(JG)})},warning:(q,Z)=>{B1.warn(q,Z)},error:(q,Z)=>{B1.message(q,{...Z,symbol:F.default.red($G)})}},Eq=(q="",Z)=>{(Z?.output??process.stdout).write(`${F.default.gray(R0)} ${F.default.red(q)}
|
|
199
|
+
|
|
200
|
+
`)},i5=(q="",Z)=>{(Z?.output??process.stdout).write(`${F.default.gray(tU)} ${q}
|
|
201
|
+
`)},a5=(q="",Z)=>{(Z?.output??process.stdout).write(`${F.default.gray(f)}
|
|
202
|
+
${F.default.gray(R0)} ${q}
|
|
203
|
+
|
|
204
|
+
`)},W0=(q,Z)=>q.split(`
|
|
205
|
+
`).map((X)=>Z(X)).join(`
|
|
206
|
+
`),I0=(q)=>{let Z=(J,$)=>{let Q=J.label??String(J.value);return $==="disabled"?`${F.default.gray(y5)} ${W0(Q,(z)=>F.default.strikethrough(F.default.gray(z)))}${J.hint?` ${F.default.dim(`(${J.hint??"disabled"})`)}`:""}`:$==="active"?`${F.default.cyan(qG)} ${Q}${J.hint?` ${F.default.dim(`(${J.hint})`)}`:""}`:$==="selected"?`${F.default.green(f5)} ${W0(Q,F.default.dim)}${J.hint?` ${F.default.dim(`(${J.hint})`)}`:""}`:$==="cancelled"?`${W0(Q,(z)=>F.default.strikethrough(F.default.dim(z)))}`:$==="active-selected"?`${F.default.green(f5)} ${Q}${J.hint?` ${F.default.dim(`(${J.hint})`)}`:""}`:$==="submitted"?`${W0(Q,F.default.dim)}`:`${F.default.dim(y5)} ${W0(Q,F.default.dim)}`},X=q.required??!0;return new P4({options:q.options,signal:q.signal,input:q.input,output:q.output,initialValues:q.initialValues,required:X,cursorAt:q.cursorAt,validate(J){if(X&&(J===void 0||J.length===0))return`Please select at least one option.
|
|
207
|
+
${F.default.reset(F.default.dim(`Press ${F.default.gray(F.default.bgWhite(F.default.inverse(" space ")))} to select, ${F.default.gray(F.default.bgWhite(F.default.inverse(" enter ")))} to submit`))}`},render(){let J=A1(q.output,q.message,`${m5(this.state)} `,`${u5(this.state)} `),$=`${F.default.gray(f)}
|
|
208
|
+
${J}
|
|
209
|
+
`,Q=this.value??[],z=(H,U)=>{if(H.disabled)return Z(H,"disabled");let G=Q.includes(H.value);return U&&G?Z(H,"active-selected"):G?Z(H,"selected"):Z(H,U?"active":"inactive")};switch(this.state){case"submit":{let H=this.options.filter(({value:G})=>Q.includes(G)).map((G)=>Z(G,"submitted")).join(F.default.dim(", "))||F.default.dim("none"),U=A1(q.output,H,`${F.default.gray(f)} `);return`${$}${U}`}case"cancel":{let H=this.options.filter(({value:G})=>Q.includes(G)).map((G)=>Z(G,"cancelled")).join(F.default.dim(", "));if(H.trim()==="")return`${$}${F.default.gray(f)}`;let U=A1(q.output,H,`${F.default.gray(f)} `);return`${$}${U}
|
|
210
|
+
${F.default.gray(f)}`}case"error":{let H=`${F.default.yellow(f)} `,U=this.error.split(`
|
|
211
|
+
`).map((B,_)=>_===0?`${F.default.yellow(R0)} ${F.default.yellow(B)}`:` ${B}`).join(`
|
|
212
|
+
`),G=$.split(`
|
|
213
|
+
`).length,Y=U.split(`
|
|
214
|
+
`).length+1;return`${$}${H}${A4({output:q.output,options:this.options,cursor:this.cursor,maxItems:q.maxItems,columnPadding:H.length,rowPadding:G+Y,style:z}).join(`
|
|
215
|
+
${H}`)}
|
|
216
|
+
${U}
|
|
217
|
+
`}default:{let H=`${F.default.cyan(f)} `,U=$.split(`
|
|
218
|
+
`).length;return`${$}${H}${A4({output:q.output,options:this.options,cursor:this.cursor,maxItems:q.maxItems,columnPadding:H.length,rowPadding:U+2,style:z}).join(`
|
|
219
|
+
${H}`)}
|
|
220
|
+
${F.default.cyan(R0)}
|
|
221
|
+
`}}}}).prompt()};var BT=F.default.magenta;var TT={light:j("─","-"),heavy:j("━","="),block:j("█","#")};var bq=(q,Z)=>q.includes(`
|
|
222
|
+
`)?q.split(`
|
|
223
|
+
`).map((X)=>Z(X)).join(`
|
|
224
|
+
`):Z(q),b4=(q)=>{let Z=(X,J)=>{let $=X.label??String(X.value);switch(J){case"disabled":return`${F.default.gray(C5)} ${bq($,F.default.gray)}${X.hint?` ${F.default.dim(`(${X.hint??"disabled"})`)}`:""}`;case"selected":return`${bq($,F.default.dim)}`;case"active":return`${F.default.green(eU)} ${$}${X.hint?` ${F.default.dim(`(${X.hint})`)}`:""}`;case"cancelled":return`${bq($,(Q)=>F.default.strikethrough(F.default.dim(Q)))}`;default:return`${F.default.dim(C5)} ${bq($,F.default.dim)}`}};return new D4({options:q.options,signal:q.signal,input:q.input,output:q.output,initialValue:q.initialValue,render(){let X=`${u5(this.state)} `,J=`${m5(this.state)} `,$=A1(q.output,q.message,J,X),Q=`${F.default.gray(f)}
|
|
225
|
+
${$}
|
|
226
|
+
`;switch(this.state){case"submit":{let z=`${F.default.gray(f)} `,H=A1(q.output,Z(this.options[this.cursor],"selected"),z);return`${Q}${H}`}case"cancel":{let z=`${F.default.gray(f)} `,H=A1(q.output,Z(this.options[this.cursor],"cancelled"),z);return`${Q}${H}
|
|
227
|
+
${F.default.gray(f)}`}default:{let z=`${F.default.cyan(f)} `,H=Q.split(`
|
|
228
|
+
`).length;return`${Q}${z}${A4({output:q.output,cursor:this.cursor,options:this.options,maxItems:q.maxItems,columnPadding:z.length,rowPadding:H+2,style:(U,G)=>Z(U,U.disabled?"disabled":G?"active":"inactive")}).join(`
|
|
229
|
+
${z}`)}
|
|
230
|
+
${F.default.cyan(R0)}
|
|
231
|
+
`}}}}).prompt()};var _T=`${F.default.gray(f)} `;var MG=[{name:"pi",displayName:"Pi",projectSkills:".pi/skills",projectAgents:".pi/agents",globalSkills:"~/.pi/agent/skills",globalAgents:"~/.pi/agent/agents",isUniversal:!1},{name:"claude-code",displayName:"Claude Code",projectSkills:".claude/skills",projectAgents:".claude/agents",globalSkills:"~/.claude/skills",globalAgents:"~/.claude/agents",isUniversal:!1},{name:"cursor",displayName:"Cursor",projectSkills:".cursor/skills",projectAgents:".cursor/agents",globalSkills:"~/.cursor/skills",globalAgents:"~/.cursor/agents",isUniversal:!1},{name:"roo",displayName:"Roo",projectSkills:".roo/skills",projectAgents:".roo/agents",globalSkills:"~/.roo/skills",globalAgents:"~/.roo/agents",isUniversal:!1},{name:"cline",displayName:"Cline",projectSkills:".cline/skills",projectAgents:".cline/agents",globalSkills:"~/.cline/skills",globalAgents:"~/.cline/agents",isUniversal:!1},{name:"windsurf",displayName:"Windsurf",projectSkills:".windsurf/skills",projectAgents:".windsurf/agents",globalSkills:"~/.windsurf/skills",globalAgents:"~/.windsurf/agents",isUniversal:!1},{name:"opencode",displayName:"OpenCode",projectSkills:".agents/skills",projectAgents:".agents/agents",globalSkills:"~/.config/opencode/skills",globalAgents:"~/.config/opencode/agents",isUniversal:!0},{name:"codex",displayName:"Codex",projectSkills:".agents/skills",projectAgents:".agents/agents",globalSkills:"~/.config/codex/skills",globalAgents:"~/.config/codex/agents",isUniversal:!0},{name:"amp",displayName:"Amp",projectSkills:".agents/skills",projectAgents:".agents/agents",globalSkills:"~/.config/amp/skills",globalAgents:"~/.config/amp/agents",isUniversal:!0},{name:"gemini-cli",displayName:"Gemini CLI",projectSkills:".agents/skills",projectAgents:".agents/agents",globalSkills:"~/.config/gemini-cli/skills",globalAgents:"~/.config/gemini-cli/agents",isUniversal:!0},{name:"github-copilot",displayName:"GitHub Copilot",projectSkills:".agents/skills",projectAgents:".agents/agents",globalSkills:"~/.config/github-copilot/skills",globalAgents:"~/.config/github-copilot/agents",isUniversal:!0},{name:"kimi-cli",displayName:"Kimi CLI",projectSkills:".agents/skills",projectAgents:".agents/agents",globalSkills:"~/.config/kimi-cli/skills",globalAgents:"~/.config/kimi-cli/agents",isUniversal:!0}],h1=[...MG];function r5(q){return h1.find((Z)=>Z.name===q)}function n5(){return h1.filter((q)=>q.isUniversal)}function o5(){return h1.filter((q)=>!q.isUniversal)}function t5(q){return q.filter((Z)=>!r5(Z))}function e5(q){let Z=new Map;for(let X of q){let J=r5(X);if(!J)continue;let $=`${J.projectSkills}|${J.projectAgents}|${J.globalSkills}|${J.globalAgents}`,Q=Z.get($);if(Q)Q.displayNames.push(J.displayName);else Z.set($,{projectSkills:J.projectSkills,projectAgents:J.projectAgents,globalSkills:J.globalSkills,globalAgents:J.globalAgents,displayNames:[J.displayName]})}return Array.from(Z.values())}function Cq(q){let Z=new Set(Object.keys(q));h1=h1.filter((X)=>!Z.has(X.name));for(let[X,J]of Object.entries(q))h1.push({name:X,displayName:X,projectSkills:J.project_skills,projectAgents:J.project_agents,globalSkills:J.global_skills,globalAgents:J.global_agents,isUniversal:!1})}function q6(){return process.stdin.isTTY===!0}async function M0(q={}){let{defaults:Z}=q;i5("⚙️ agentdeps setup");let X=await b4({message:"How do you clone git repositories?",options:[{value:"ssh",label:"SSH (git@github.com:...)"},{value:"https",label:"HTTPS (https://github.com/...)"}],initialValue:Z?.clone_method??"ssh"});if(q1(X)){Eq("Setup cancelled.");return}let J=n5(),$=o5(),Q=[];for(let U of $)Q.push({value:U.name,label:`${U.displayName}`,hint:`${U.projectSkills}, ${U.projectAgents}`});for(let U of J)Q.push({value:U.name,label:`${U.displayName}`,hint:".agents/skills, .agents/agents (Universal)"});let z=await I0({message:"Which coding agents do you use? (space to select, enter to confirm)",options:Q,initialValues:Z?.agents??[],required:!0});if(q1(z)){Eq("Setup cancelled.");return}if(z.length===0)return B1.error("At least one agent must be selected."),M0(q);let H=await b4({message:"How should dependencies be installed?",options:[{value:"link",label:"Link (symlinks)",hint:"Fast, no duplication — default"},{value:"copy",label:"Copy (smart sync)",hint:"Portable, self-contained"}],initialValue:Z?.install_method??"link"});if(q1(H)){Eq("Setup cancelled.");return}return a5("✅ Configuration saved!"),{clone_method:X,agents:z,install_method:H,custom_agents:Z?.custom_agents}}import{join as K0}from"node:path";import{mkdir as KG}from"node:fs/promises";import{dirname as PG}from"node:path";function DG(q,Z){if(!q.repo)throw Error(`Dependency at index ${Z} is missing required 'repo' field`);let X;if(q.skills===void 0||q.skills==="*"||q.skills===!0)X="*";else if(q.skills===!1)X=!1;else if(Array.isArray(q.skills))X=q.skills;else sq("config.normalize",`Dependency "${q.repo}" has unexpected skills value (${JSON.stringify(q.skills)}), defaulting to "*"`),X="*";let J;if(q.agents===void 0||q.agents==="*"||q.agents===!0)J="*";else if(q.agents===!1)J=!1;else if(Array.isArray(q.agents))J=q.agents;else sq("config.normalize",`Dependency "${q.repo}" has unexpected agents value (${JSON.stringify(q.agents)}), defaulting to "*"`),J="*";return{repo:q.repo,ref:q.ref??"main",skills:X,agents:J}}async function c(q){return Bun.file(q).exists()}async function i(q){let X=await Bun.file(q).text(),J=B0(X);if(!J||!J.dependencies){if(J&&!J.dependencies)console.warn("⚠ agents.yaml has no 'dependencies' field");return{dependencies:[]}}let $=J.dependencies;if(!Array.isArray($))throw Error("'dependencies' must be an array in agents.yaml");if($.length===0)return console.warn("⚠ agents.yaml has an empty dependencies list"),{dependencies:[]};return{dependencies:$.map((z,H)=>DG(z,H))}}async function fq(q,Z){let X=PG(q);await KG(X,{recursive:!0});let J={dependencies:Z.dependencies.map((Q)=>{let z={repo:Q.repo};if(Q.ref!=="main")z.ref=Q.ref;if(Q.skills!=="*")z.skills=Q.skills;if(Q.agents!=="*")z.agents=Q.agents;return z})},$=T0(J,{lineWidth:0});await Bun.write(q,$)}function FG(q){if(q.includes("://"))return!1;if(q.startsWith("git@"))return!1;return q.split("/").length-1===1}function OG(q,Z){if(Z==="ssh")return`git@github.com:${q}.git`;return`https://github.com/${q}.git`}function yq(q,Z){if(FG(q))return OG(q,Z);return q}function xq(q,Z){let X;if(q.startsWith("git@")){let $=q.indexOf(":");X=q.slice($+1)}else if(q.includes("://"))try{X=new URL(q).pathname.slice(1)}catch{X=q}else X=q;if(X.endsWith(".git"))X=X.slice(0,-4);return`${X.replace(/\//g,"-")}-${Z}`}import{readdir as Z6}from"node:fs/promises";import{join as j4}from"node:path";async function kq(q){let Z=j4(q,"skills");try{let J=(await Z6(Z,{withFileTypes:!0})).filter((Q)=>Q.isDirectory());return(await Promise.all(J.map(async(Q)=>{return await Bun.file(j4(Z,Q.name,"SKILL.md")).exists()?Q.name:null}))).filter((Q)=>Q!==null).sort()}catch{return[]}}async function vq(q){let Z=j4(q,"agents");try{return(await Z6(Z,{withFileTypes:!0})).filter((J)=>J.isDirectory()).map((J)=>J.name).sort()}catch{return[]}}function E4(q,Z){if(Z===!1)return{selected:[],missing:[]};if(Z==="*")return{selected:[...q],missing:[]};let X=new Set(q),J=[],$=[];for(let Q of Z)if(X.has(Q))J.push(Q);else $.push(Q);return{selected:J,missing:$}}function C4(q,Z,X,J,$){if(J===!1)return;if(X.length===0)console.warn(`⚠ No ${Z} found in ${q}${Z==="skills"?" (no skills/ directory or no SKILL.md files)":" (no agents/ directory)"}`);if($.length>0)console.warn(`⚠ ${Z} not found in ${q}: ${$.join(", ")}`)}import{readdir as Q6,mkdir as yG,rm as z6,lstat as xG}from"node:fs/promises";import{join as x4}from"node:path";import{homedir as kG}from"node:os";import{symlink as NG,readlink as AG,unlink as SG,lstat as wG,rm as bG}from"node:fs/promises";import{platform as jG}from"node:os";async function f4(q,Z){try{await NG(q,Z,"dir")}catch(X){if(jG()==="win32"){let J=Bun.spawn(["cmd","/c","mklink","/J",Z,q],{stdout:"pipe",stderr:"pipe"});if(await J.exited!==0){let Q=await new Response(J.stderr).text();throw Error(`Failed to create symlink or junction at ${Z}. Consider switching to install_method: copy, or enable Developer Mode on Windows. Error: ${Q.trim()}`)}}else throw X}}async function X6(q,Z){try{if((await wG(Z)).isSymbolicLink()){if(await AG(Z)===q)return"unchanged";return await SG(Z),await f4(q,Z),"replaced"}return await bG(Z,{recursive:!0,force:!0}),await f4(q,Z),"replaced"}catch(X){if(X.code==="ENOENT")return await f4(q,Z),"created";throw X}}import{readdir as J6,mkdir as EG,rm as CG,stat as $6}from"node:fs/promises";import{join as y4}from"node:path";async function hq(q,Z){await EG(Z,{recursive:!0});let X=await J6(q,{withFileTypes:!0}),J=new Set(X.map((Q)=>Q.name)),$=[];try{$=await J6(Z,{withFileTypes:!0})}catch{}for(let Q of $)if(!J.has(Q.name))await CG(y4(Z,Q.name),{recursive:!0,force:!0});for(let Q of X){let z=y4(q,Q.name),H=y4(Z,Q.name);if(Q.isDirectory())await hq(z,H);else if(Q.isFile()){if(await fG(z,H))await Bun.write(H,Bun.file(z))}}}async function fG(q,Z){try{let[X,J]=await Promise.all([$6(q),$6(Z)]);if(X.size!==J.size)return!0;if(X.mtimeMs>J.mtimeMs)return!0;return!1}catch{return!0}}function k4(q){if(q.startsWith("~/")||q==="~")return x4(kG(),q.slice(1));return q}async function v4(q,Z,X){let J={added:[],removed:[],unchanged:[]},$=[],Q=!1;try{$=await Q6(q),Q=!0}catch{}if(Z.size===0&&!Q)return J;let z=new Set(Z.keys());for(let H of $)if(!z.has(H))await z6(x4(q,H),{recursive:!0,force:!0}),J.removed.push(H);if(Z.size===0){try{if((await Q6(q)).length===0)await z6(q,{recursive:!0,force:!0})}catch{}return J}await yG(q,{recursive:!0});for(let[H,U]of Z){let G=x4(q,H);if(X==="link"){let Y=await X6(U,G);if(Y==="created")J.added.push(H);else if(Y==="replaced")J.added.push(H);else J.unchanged.push(H)}else try{await xG(G),await hq(U,G),J.unchanged.push(H)}catch{await hq(U,G),J.added.push(H)}}return J}async function H6(q,Z){let X=await Promise.all(q.map(async($)=>{let Q=yq($.repo,Z),z=xq($.repo,$.ref);console.log(` \uD83D\uDCE6 ${$.repo} (${$.ref})`);let H=await S0(Q,$.ref,z);return{dep:$,result:H}}));return(await Promise.all(X.map(async({dep:$,result:Q})=>{if(!Q.success)return console.error(` ✗ Failed to cache ${$.repo}, skipping`),null;let[z,H]=await Promise.all([kq(Q.path),vq(Q.path)]),U=E4(z,$.skills),G=E4(H,$.agents);return C4($.repo,"skills",z,$.skills,U.missing),C4($.repo,"agents",H,$.agents,G.missing),{repo:$.repo,cachePath:Q.path,skills:U.selected.map((Y)=>({name:Y,sourcePath:K0(Q.path,"skills",Y)})),agents:G.selected.map((Y)=>({name:Y,sourcePath:K0(Q.path,"agents",Y)}))}}))).filter(($)=>$!==null)}async function U6(q,Z,X,J){let $=new Map,Q=new Map;for(let U of q){for(let G of U.skills)$.set(G.name,G.sourcePath);for(let G of U.agents)Q.set(G.name,G.sourcePath)}let z=new Map;for(let U of Z){let G=X==="global"?k4(U.globalSkills):U.projectSkills,Y=X==="global"?k4(U.globalAgents):U.projectAgents,B=`${G}|${Y}`,_=z.get(B);if(_)_.displayNames.push(...U.displayNames);else z.set(B,{skillsDir:G,agentsDir:Y,displayNames:[...U.displayNames]})}let H=[];for(let{skillsDir:U,agentsDir:G,displayNames:Y}of z.values()){let B=K0(U,"_agentdeps_managed"),_=K0(G,"_agentdeps_managed"),R=await v4(B,$,J),W=await v4(_,Q,J);H.push({displayNames:Y,skillsAdded:R.added.length,skillsRemoved:R.removed.length,agentsAdded:W.added.length,agentsRemoved:W.removed.length})}return H}function G6(q,Z){if(Z.length===0)return` ✓ ${q}: nothing to do`;if(Z.length===1){let J=Z[0],$=J.skillsRemoved+J.agentsRemoved,Q=[];if(J.skillsAdded>0)Q.push(`${J.skillsAdded} skills added`);if(J.agentsAdded>0)Q.push(`${J.agentsAdded} agents added`);if($>0)Q.push(`${$} removed`);if(Q.length===0)Q.push("up to date");let z=J.displayNames.join(", ");return` ✓ ${q} (${z}): ${Q.join(", ")}`}let X=[];for(let J of Z){let $=J.skillsRemoved+J.agentsRemoved,Q=[];if(J.skillsAdded>0)Q.push(`${J.skillsAdded} skills added`);if(J.agentsAdded>0)Q.push(`${J.agentsAdded} agents added`);if($>0)Q.push(`${$} removed`);if(Q.length===0)Q.push("up to date");let z=J.displayNames.join(", ");X.push(` ${z}: ${Q.join(", ")}`)}return` ✓ ${q}:
|
|
232
|
+
${X.join(`
|
|
233
|
+
`)}`}async function P0(q){if(q.custom_agents)Cq(q.custom_agents);let Z=t5(q.agents);if(Z.length>0)console.warn(`⚠ Unknown agents in config: ${Z.join(", ")}`);let X=e5(q.agents),J=Rq();try{if(await c(J)){console.log(`
|
|
234
|
+
\uD83C\uDF10 Processing global dependencies...`);let Q=await i(J);if(Q.dependencies.length>0){let z=await H6(Q.dependencies,q.clone_method),H=await U6(z,X,"global",q.install_method);console.log(G6("Global",H))}}}catch(Q){o("global-deps",Q),console.warn("⚠ Failed to process global dependencies")}let $=K0(process.cwd(),"agents.yaml");if(await c($)){console.log(`
|
|
235
|
+
\uD83D\uDCC1 Processing project dependencies...`);let Q=await i($);if(Q.dependencies.length>0){let z=await H6(Q.dependencies,q.clone_method),H=await U6(z,X,"project",q.install_method);console.log(G6("Project",H))}else console.log(" ℹ No project dependencies defined")}else console.log(`
|
|
236
|
+
ℹ No project agents.yaml found — only global dependencies processed`);console.log(`
|
|
237
|
+
✅ Install complete`),A0()}var Y6=new h("install").description("Install dependencies from agents.yaml").action(async()=>{let q=await Y1();await P0(q)});import{join as vG}from"node:path";var _6=new h("add").description("Add a new dependency to agents.yaml").argument("<repo>","Repository (owner/repo or full URL)").option("--ref <ref>","Git ref (branch, tag, SHA)","main").option("--skill <name>","Install specific skill (repeatable)",B6,[]).option("--agent <name>","Install specific agent (repeatable)",B6,[]).option("--all","Install all skills and agents").option("--all-skills","Install all skills").option("--all-agents","Install all agents").option("--no-skills","Don't install any skills").option("--no-agents","Don't install any agents").action(async(q,Z)=>{let X=await Y1(),J=vG(process.cwd(),"agents.yaml");if(await c(J)){if((await i(J)).dependencies.find((T)=>T.repo===q||T6(T.repo)===T6(q)))console.error(`✗ ${q} already exists in agents.yaml. Edit the file directly to modify it.`),process.exit(1)}let $=yq(q,X.clone_method),Q=xq(q,Z.ref);console.log(`\uD83D\uDCE6 Fetching ${q}...`);let z=await S0($,Z.ref,Q);if(!z.success)console.error(`✗ Failed to clone ${q}`),process.exit(1);let[H,U]=await Promise.all([kq(z.path),vq(z.path)]);console.log(` Found ${H.length} skill(s), ${U.length} agent(s)`);let G,Y;if(Z.all)G="*",Y="*";else if(Z.skill.length>0||Z.agent.length>0||Z.allSkills||Z.allAgents||Z.skills===!1||Z.agents===!1){if(Z.skills===!1)G=!1;else if(Z.allSkills)G="*";else if(Z.skill.length>0)G=Z.skill;else G="*";if(Z.agents===!1)Y=!1;else if(Z.allAgents)Y="*";else if(Z.agent.length>0)Y=Z.agent;else Y="*"}else{let R=await hG(H,U);if(!R)return;G=R.skills,Y=R.agents}let B={repo:q,ref:Z.ref,skills:G,agents:Y},_=await c(J)?await i(J):{dependencies:[]};_.dependencies.push(B),await fq(J,_),console.log(`
|
|
238
|
+
✓ Added ${q} to agents.yaml`),await P0(X)});function B6(q,Z){return Z.concat([q])}function T6(q){return q.replace(/\.git$/,"").toLowerCase()}async function hG(q,Z){let X={skills:"*",agents:"*"};if(q.length>0){let J=await I0({message:"Select skills to install:",options:q.map(($)=>({value:$,label:$})),initialValues:q,required:!1});if(q1(J))return;if(J.length===q.length)X.skills="*";else if(J.length===0)X.skills=!1;else X.skills=J}else X.skills=!1;if(Z.length>0){let J=await I0({message:"Select agents to install:",options:Z.map(($)=>({value:$,label:$})),initialValues:Z,required:!1});if(q1(J))return;if(J.length===Z.length)X.agents="*";else if(J.length===0)X.agents=!1;else X.agents=J}else X.agents=!1;return X}import{join as gG}from"node:path";var W6=new h("remove").description("Remove a dependency from agents.yaml").argument("<repo>","Repository to remove (owner/repo or full URL)").action(async(q)=>{let Z=await Y1(),X=gG(process.cwd(),"agents.yaml");if(!await c(X))console.error("✗ No agents.yaml found in current directory"),process.exit(1);let J=await i(X),$=L6(q),Q=J.dependencies.findIndex((H)=>L6(H.repo)===$);if(Q===-1)console.error(`✗ ${q} not found in agents.yaml`),process.exit(1);let[z]=J.dependencies.splice(Q,1);if(!z)console.error(`✗ Unexpected error removing ${q}`),process.exit(1);await fq(X,J),console.log(`✓ Removed ${z.repo} from agents.yaml`),await P0(Z)});function L6(q){return q.replace(/\.git$/,"").toLowerCase()}import{join as uG}from"node:path";var V6=new h("list").description("List installed dependencies").action(async()=>{let q=await Y1(),Z=!1,X=Rq();if(await c(X)){let $=await i(X);if($.dependencies.length>0)Z=!0,console.log(`\uD83C\uDF10 Global dependencies:
|
|
239
|
+
`),R6($.dependencies,q.agents)}let J=uG(process.cwd(),"agents.yaml");if(await c(J)){let $=await i(J);if($.dependencies.length>0)Z=!0,console.log(`\uD83D\uDCC1 Project dependencies:
|
|
240
|
+
`),R6($.dependencies,q.agents)}if(!Z)console.log(`No dependencies configured.
|
|
241
|
+
|
|
242
|
+
Add one with:
|
|
243
|
+
agentdeps add <owner/repo>
|
|
244
|
+
|
|
245
|
+
Or create agents.yaml manually.`)});function R6(q,Z){for(let X of q){if(console.log(` ${X.repo} (ref: ${X.ref})`),X.skills==="*")console.log(" skills: all");else if(X.skills===!1)console.log(" skills: none");else console.log(` skills: ${X.skills.join(", ")}`);if(X.agents==="*")console.log(" agents: all");else if(X.agents===!1)console.log(" agents: none");else console.log(` agents: ${X.agents.join(", ")}`);console.log(` targets: ${Z.join(", ")}`),console.log()}}var I6=new h("config").description("Configure agentdeps (re-run interactive setup)").action(async()=>{let q=void 0;try{q=await H4()}catch(X){o("config.load",X),console.warn("⚠ Existing config is invalid, starting fresh")}if(q?.custom_agents)Cq(q.custom_agents);let Z=await M0({defaults:q});if(!Z)return;if(q?.custom_agents&&!Z.custom_agents)Z.custom_agents=q.custom_agents;await Vq(Z),console.log(`
|
|
246
|
+
✓ Configuration saved`)});var T1=new h().name("agentdeps").version("0.1.0").description("Declarative dependency manager for AI coding agent skills and subagents"),mG=new Set(["install","add","remove","list"]);T1.hook("preAction",async(q,Z)=>{let X=Z.name();if(!mG.has(X))return;if(!await U2())console.error(`✗ git is not installed or not in PATH.
|
|
247
|
+
`+` agentdeps requires git to clone and update repositories.
|
|
248
|
+
Install git: https://git-scm.com/downloads`),process.exit(1);if(!await V5()){if(!q6())console.error(`✗ No configuration found and terminal is not interactive.
|
|
249
|
+
`+" Run `agentdeps config` in an interactive terminal first."),process.exit(1);console.log(`Welcome to agentdeps! Let's set up your configuration.
|
|
250
|
+
`);let Q=await M0();if(!Q)process.exit(1);await Vq(Q)}});T1.addCommand(Y6);T1.addCommand(_6);T1.addCommand(W6);T1.addCommand(V6);T1.addCommand(I6);T1.parse();
|
package/package.json
ADDED
|
@@ -0,0 +1,42 @@
|
|
|
1
|
+
{
|
|
2
|
+
"name": "agentdeps",
|
|
3
|
+
"version": "0.1.0",
|
|
4
|
+
"description": "Declarative dependency manager for AI coding agent skills and subagents",
|
|
5
|
+
"module": "src/index.ts",
|
|
6
|
+
"type": "module",
|
|
7
|
+
"bin": {
|
|
8
|
+
"agentdeps": "dist/index.js"
|
|
9
|
+
},
|
|
10
|
+
"scripts": {
|
|
11
|
+
"dev": "bun run --watch src/index.ts",
|
|
12
|
+
"build": "bun build ./src/index.ts --outdir ./dist --target node --minify",
|
|
13
|
+
"test": "bun test",
|
|
14
|
+
"start": "bun run src/index.ts"
|
|
15
|
+
},
|
|
16
|
+
"keywords": [
|
|
17
|
+
"ai",
|
|
18
|
+
"coding-agent",
|
|
19
|
+
"skills",
|
|
20
|
+
"agents",
|
|
21
|
+
"dependency-manager",
|
|
22
|
+
"cli",
|
|
23
|
+
"pi",
|
|
24
|
+
"claude-code",
|
|
25
|
+
"cursor",
|
|
26
|
+
"opencode"
|
|
27
|
+
],
|
|
28
|
+
"license": "MIT",
|
|
29
|
+
"repository": {
|
|
30
|
+
"type": "git",
|
|
31
|
+
"url": "https://github.com/jgordijn/agentdeps.git"
|
|
32
|
+
},
|
|
33
|
+
"files": [
|
|
34
|
+
"dist"
|
|
35
|
+
],
|
|
36
|
+
"devDependencies": {
|
|
37
|
+
"@clack/prompts": "^1.0.0",
|
|
38
|
+
"@types/bun": "^1.3.8",
|
|
39
|
+
"commander": "^14.0.3",
|
|
40
|
+
"yaml": "^2.8.2"
|
|
41
|
+
}
|
|
42
|
+
}
|