sanctionctl 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.
Files changed (4) hide show
  1. package/LICENSE +190 -0
  2. package/README.md +179 -0
  3. package/dist/cli.js +2637 -0
  4. package/package.json +55 -0
package/dist/cli.js ADDED
@@ -0,0 +1,2637 @@
1
+ #!/usr/bin/env node
2
+ import { createRequire } from "node:module";
3
+ var __create = Object.create;
4
+ var __getProtoOf = Object.getPrototypeOf;
5
+ var __defProp = Object.defineProperty;
6
+ var __getOwnPropNames = Object.getOwnPropertyNames;
7
+ var __hasOwnProp = Object.prototype.hasOwnProperty;
8
+ var __toESM = (mod, isNodeMode, target) => {
9
+ target = mod != null ? __create(__getProtoOf(mod)) : {};
10
+ const to = isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target;
11
+ for (let key of __getOwnPropNames(mod))
12
+ if (!__hasOwnProp.call(to, key))
13
+ __defProp(to, key, {
14
+ get: () => mod[key],
15
+ enumerable: true
16
+ });
17
+ return to;
18
+ };
19
+ var __commonJS = (cb, mod) => () => (mod || cb((mod = { exports: {} }).exports, mod), mod.exports);
20
+ var __require = /* @__PURE__ */ createRequire(import.meta.url);
21
+
22
+ // node_modules/commander/lib/error.js
23
+ var require_error = __commonJS((exports) => {
24
+ class CommanderError extends Error {
25
+ constructor(exitCode, code, message) {
26
+ super(message);
27
+ Error.captureStackTrace(this, this.constructor);
28
+ this.name = this.constructor.name;
29
+ this.code = code;
30
+ this.exitCode = exitCode;
31
+ this.nestedError = undefined;
32
+ }
33
+ }
34
+
35
+ class InvalidArgumentError extends CommanderError {
36
+ constructor(message) {
37
+ super(1, "commander.invalidArgument", message);
38
+ Error.captureStackTrace(this, this.constructor);
39
+ this.name = this.constructor.name;
40
+ }
41
+ }
42
+ exports.CommanderError = CommanderError;
43
+ exports.InvalidArgumentError = InvalidArgumentError;
44
+ });
45
+
46
+ // node_modules/commander/lib/argument.js
47
+ var require_argument = __commonJS((exports) => {
48
+ var { InvalidArgumentError } = require_error();
49
+
50
+ class Argument {
51
+ constructor(name, description) {
52
+ this.description = description || "";
53
+ this.variadic = false;
54
+ this.parseArg = undefined;
55
+ this.defaultValue = undefined;
56
+ this.defaultValueDescription = undefined;
57
+ this.argChoices = undefined;
58
+ switch (name[0]) {
59
+ case "<":
60
+ this.required = true;
61
+ this._name = name.slice(1, -1);
62
+ break;
63
+ case "[":
64
+ this.required = false;
65
+ this._name = name.slice(1, -1);
66
+ break;
67
+ default:
68
+ this.required = true;
69
+ this._name = name;
70
+ break;
71
+ }
72
+ if (this._name.length > 3 && this._name.slice(-3) === "...") {
73
+ this.variadic = true;
74
+ this._name = this._name.slice(0, -3);
75
+ }
76
+ }
77
+ name() {
78
+ return this._name;
79
+ }
80
+ _concatValue(value, previous) {
81
+ if (previous === this.defaultValue || !Array.isArray(previous)) {
82
+ return [value];
83
+ }
84
+ return previous.concat(value);
85
+ }
86
+ default(value, description) {
87
+ this.defaultValue = value;
88
+ this.defaultValueDescription = description;
89
+ return this;
90
+ }
91
+ argParser(fn) {
92
+ this.parseArg = fn;
93
+ return this;
94
+ }
95
+ choices(values) {
96
+ this.argChoices = values.slice();
97
+ this.parseArg = (arg, previous) => {
98
+ if (!this.argChoices.includes(arg)) {
99
+ throw new InvalidArgumentError(`Allowed choices are ${this.argChoices.join(", ")}.`);
100
+ }
101
+ if (this.variadic) {
102
+ return this._concatValue(arg, previous);
103
+ }
104
+ return arg;
105
+ };
106
+ return this;
107
+ }
108
+ argRequired() {
109
+ this.required = true;
110
+ return this;
111
+ }
112
+ argOptional() {
113
+ this.required = false;
114
+ return this;
115
+ }
116
+ }
117
+ function humanReadableArgName(arg) {
118
+ const nameOutput = arg.name() + (arg.variadic === true ? "..." : "");
119
+ return arg.required ? "<" + nameOutput + ">" : "[" + nameOutput + "]";
120
+ }
121
+ exports.Argument = Argument;
122
+ exports.humanReadableArgName = humanReadableArgName;
123
+ });
124
+
125
+ // node_modules/commander/lib/help.js
126
+ var require_help = __commonJS((exports) => {
127
+ var { humanReadableArgName } = require_argument();
128
+
129
+ class Help {
130
+ constructor() {
131
+ this.helpWidth = undefined;
132
+ this.sortSubcommands = false;
133
+ this.sortOptions = false;
134
+ this.showGlobalOptions = false;
135
+ }
136
+ visibleCommands(cmd) {
137
+ const visibleCommands = cmd.commands.filter((cmd2) => !cmd2._hidden);
138
+ const helpCommand = cmd._getHelpCommand();
139
+ if (helpCommand && !helpCommand._hidden) {
140
+ visibleCommands.push(helpCommand);
141
+ }
142
+ if (this.sortSubcommands) {
143
+ visibleCommands.sort((a, b) => {
144
+ return a.name().localeCompare(b.name());
145
+ });
146
+ }
147
+ return visibleCommands;
148
+ }
149
+ compareOptions(a, b) {
150
+ const getSortKey = (option) => {
151
+ return option.short ? option.short.replace(/^-/, "") : option.long.replace(/^--/, "");
152
+ };
153
+ return getSortKey(a).localeCompare(getSortKey(b));
154
+ }
155
+ visibleOptions(cmd) {
156
+ const visibleOptions = cmd.options.filter((option) => !option.hidden);
157
+ const helpOption = cmd._getHelpOption();
158
+ if (helpOption && !helpOption.hidden) {
159
+ const removeShort = helpOption.short && cmd._findOption(helpOption.short);
160
+ const removeLong = helpOption.long && cmd._findOption(helpOption.long);
161
+ if (!removeShort && !removeLong) {
162
+ visibleOptions.push(helpOption);
163
+ } else if (helpOption.long && !removeLong) {
164
+ visibleOptions.push(cmd.createOption(helpOption.long, helpOption.description));
165
+ } else if (helpOption.short && !removeShort) {
166
+ visibleOptions.push(cmd.createOption(helpOption.short, helpOption.description));
167
+ }
168
+ }
169
+ if (this.sortOptions) {
170
+ visibleOptions.sort(this.compareOptions);
171
+ }
172
+ return visibleOptions;
173
+ }
174
+ visibleGlobalOptions(cmd) {
175
+ if (!this.showGlobalOptions)
176
+ return [];
177
+ const globalOptions = [];
178
+ for (let ancestorCmd = cmd.parent;ancestorCmd; ancestorCmd = ancestorCmd.parent) {
179
+ const visibleOptions = ancestorCmd.options.filter((option) => !option.hidden);
180
+ globalOptions.push(...visibleOptions);
181
+ }
182
+ if (this.sortOptions) {
183
+ globalOptions.sort(this.compareOptions);
184
+ }
185
+ return globalOptions;
186
+ }
187
+ visibleArguments(cmd) {
188
+ if (cmd._argsDescription) {
189
+ cmd.registeredArguments.forEach((argument) => {
190
+ argument.description = argument.description || cmd._argsDescription[argument.name()] || "";
191
+ });
192
+ }
193
+ if (cmd.registeredArguments.find((argument) => argument.description)) {
194
+ return cmd.registeredArguments;
195
+ }
196
+ return [];
197
+ }
198
+ subcommandTerm(cmd) {
199
+ const args = cmd.registeredArguments.map((arg) => humanReadableArgName(arg)).join(" ");
200
+ return cmd._name + (cmd._aliases[0] ? "|" + cmd._aliases[0] : "") + (cmd.options.length ? " [options]" : "") + (args ? " " + args : "");
201
+ }
202
+ optionTerm(option) {
203
+ return option.flags;
204
+ }
205
+ argumentTerm(argument) {
206
+ return argument.name();
207
+ }
208
+ longestSubcommandTermLength(cmd, helper) {
209
+ return helper.visibleCommands(cmd).reduce((max, command) => {
210
+ return Math.max(max, helper.subcommandTerm(command).length);
211
+ }, 0);
212
+ }
213
+ longestOptionTermLength(cmd, helper) {
214
+ return helper.visibleOptions(cmd).reduce((max, option) => {
215
+ return Math.max(max, helper.optionTerm(option).length);
216
+ }, 0);
217
+ }
218
+ longestGlobalOptionTermLength(cmd, helper) {
219
+ return helper.visibleGlobalOptions(cmd).reduce((max, option) => {
220
+ return Math.max(max, helper.optionTerm(option).length);
221
+ }, 0);
222
+ }
223
+ longestArgumentTermLength(cmd, helper) {
224
+ return helper.visibleArguments(cmd).reduce((max, argument) => {
225
+ return Math.max(max, helper.argumentTerm(argument).length);
226
+ }, 0);
227
+ }
228
+ commandUsage(cmd) {
229
+ let cmdName = cmd._name;
230
+ if (cmd._aliases[0]) {
231
+ cmdName = cmdName + "|" + cmd._aliases[0];
232
+ }
233
+ let ancestorCmdNames = "";
234
+ for (let ancestorCmd = cmd.parent;ancestorCmd; ancestorCmd = ancestorCmd.parent) {
235
+ ancestorCmdNames = ancestorCmd.name() + " " + ancestorCmdNames;
236
+ }
237
+ return ancestorCmdNames + cmdName + " " + cmd.usage();
238
+ }
239
+ commandDescription(cmd) {
240
+ return cmd.description();
241
+ }
242
+ subcommandDescription(cmd) {
243
+ return cmd.summary() || cmd.description();
244
+ }
245
+ optionDescription(option) {
246
+ const extraInfo = [];
247
+ if (option.argChoices) {
248
+ extraInfo.push(`choices: ${option.argChoices.map((choice) => JSON.stringify(choice)).join(", ")}`);
249
+ }
250
+ if (option.defaultValue !== undefined) {
251
+ const showDefault = option.required || option.optional || option.isBoolean() && typeof option.defaultValue === "boolean";
252
+ if (showDefault) {
253
+ extraInfo.push(`default: ${option.defaultValueDescription || JSON.stringify(option.defaultValue)}`);
254
+ }
255
+ }
256
+ if (option.presetArg !== undefined && option.optional) {
257
+ extraInfo.push(`preset: ${JSON.stringify(option.presetArg)}`);
258
+ }
259
+ if (option.envVar !== undefined) {
260
+ extraInfo.push(`env: ${option.envVar}`);
261
+ }
262
+ if (extraInfo.length > 0) {
263
+ return `${option.description} (${extraInfo.join(", ")})`;
264
+ }
265
+ return option.description;
266
+ }
267
+ argumentDescription(argument) {
268
+ const extraInfo = [];
269
+ if (argument.argChoices) {
270
+ extraInfo.push(`choices: ${argument.argChoices.map((choice) => JSON.stringify(choice)).join(", ")}`);
271
+ }
272
+ if (argument.defaultValue !== undefined) {
273
+ extraInfo.push(`default: ${argument.defaultValueDescription || JSON.stringify(argument.defaultValue)}`);
274
+ }
275
+ if (extraInfo.length > 0) {
276
+ const extraDescripton = `(${extraInfo.join(", ")})`;
277
+ if (argument.description) {
278
+ return `${argument.description} ${extraDescripton}`;
279
+ }
280
+ return extraDescripton;
281
+ }
282
+ return argument.description;
283
+ }
284
+ formatHelp(cmd, helper) {
285
+ const termWidth = helper.padWidth(cmd, helper);
286
+ const helpWidth = helper.helpWidth || 80;
287
+ const itemIndentWidth = 2;
288
+ const itemSeparatorWidth = 2;
289
+ function formatItem(term, description) {
290
+ if (description) {
291
+ const fullText = `${term.padEnd(termWidth + itemSeparatorWidth)}${description}`;
292
+ return helper.wrap(fullText, helpWidth - itemIndentWidth, termWidth + itemSeparatorWidth);
293
+ }
294
+ return term;
295
+ }
296
+ function formatList(textArray) {
297
+ return textArray.join(`
298
+ `).replace(/^/gm, " ".repeat(itemIndentWidth));
299
+ }
300
+ let output = [`Usage: ${helper.commandUsage(cmd)}`, ""];
301
+ const commandDescription = helper.commandDescription(cmd);
302
+ if (commandDescription.length > 0) {
303
+ output = output.concat([
304
+ helper.wrap(commandDescription, helpWidth, 0),
305
+ ""
306
+ ]);
307
+ }
308
+ const argumentList = helper.visibleArguments(cmd).map((argument) => {
309
+ return formatItem(helper.argumentTerm(argument), helper.argumentDescription(argument));
310
+ });
311
+ if (argumentList.length > 0) {
312
+ output = output.concat(["Arguments:", formatList(argumentList), ""]);
313
+ }
314
+ const optionList = helper.visibleOptions(cmd).map((option) => {
315
+ return formatItem(helper.optionTerm(option), helper.optionDescription(option));
316
+ });
317
+ if (optionList.length > 0) {
318
+ output = output.concat(["Options:", formatList(optionList), ""]);
319
+ }
320
+ if (this.showGlobalOptions) {
321
+ const globalOptionList = helper.visibleGlobalOptions(cmd).map((option) => {
322
+ return formatItem(helper.optionTerm(option), helper.optionDescription(option));
323
+ });
324
+ if (globalOptionList.length > 0) {
325
+ output = output.concat([
326
+ "Global Options:",
327
+ formatList(globalOptionList),
328
+ ""
329
+ ]);
330
+ }
331
+ }
332
+ const commandList = helper.visibleCommands(cmd).map((cmd2) => {
333
+ return formatItem(helper.subcommandTerm(cmd2), helper.subcommandDescription(cmd2));
334
+ });
335
+ if (commandList.length > 0) {
336
+ output = output.concat(["Commands:", formatList(commandList), ""]);
337
+ }
338
+ return output.join(`
339
+ `);
340
+ }
341
+ padWidth(cmd, helper) {
342
+ return Math.max(helper.longestOptionTermLength(cmd, helper), helper.longestGlobalOptionTermLength(cmd, helper), helper.longestSubcommandTermLength(cmd, helper), helper.longestArgumentTermLength(cmd, helper));
343
+ }
344
+ wrap(str, width, indent, minColumnWidth = 40) {
345
+ const indents = " \\f\\t\\v   -    \uFEFF";
346
+ const manualIndent = new RegExp(`[\\n][${indents}]+`);
347
+ if (str.match(manualIndent))
348
+ return str;
349
+ const columnWidth = width - indent;
350
+ if (columnWidth < minColumnWidth)
351
+ return str;
352
+ const leadingStr = str.slice(0, indent);
353
+ const columnText = str.slice(indent).replace(`\r
354
+ `, `
355
+ `);
356
+ const indentString = " ".repeat(indent);
357
+ const zeroWidthSpace = "​";
358
+ const breaks = `\\s${zeroWidthSpace}`;
359
+ const regex = new RegExp(`
360
+ |.{1,${columnWidth - 1}}([${breaks}]|$)|[^${breaks}]+?([${breaks}]|$)`, "g");
361
+ const lines = columnText.match(regex) || [];
362
+ return leadingStr + lines.map((line, i) => {
363
+ if (line === `
364
+ `)
365
+ return "";
366
+ return (i > 0 ? indentString : "") + line.trimEnd();
367
+ }).join(`
368
+ `);
369
+ }
370
+ }
371
+ exports.Help = Help;
372
+ });
373
+
374
+ // node_modules/commander/lib/option.js
375
+ var require_option = __commonJS((exports) => {
376
+ var { InvalidArgumentError } = require_error();
377
+
378
+ class Option {
379
+ constructor(flags, description) {
380
+ this.flags = flags;
381
+ this.description = description || "";
382
+ this.required = flags.includes("<");
383
+ this.optional = flags.includes("[");
384
+ this.variadic = /\w\.\.\.[>\]]$/.test(flags);
385
+ this.mandatory = false;
386
+ const optionFlags = splitOptionFlags(flags);
387
+ this.short = optionFlags.shortFlag;
388
+ this.long = optionFlags.longFlag;
389
+ this.negate = false;
390
+ if (this.long) {
391
+ this.negate = this.long.startsWith("--no-");
392
+ }
393
+ this.defaultValue = undefined;
394
+ this.defaultValueDescription = undefined;
395
+ this.presetArg = undefined;
396
+ this.envVar = undefined;
397
+ this.parseArg = undefined;
398
+ this.hidden = false;
399
+ this.argChoices = undefined;
400
+ this.conflictsWith = [];
401
+ this.implied = undefined;
402
+ }
403
+ default(value, description) {
404
+ this.defaultValue = value;
405
+ this.defaultValueDescription = description;
406
+ return this;
407
+ }
408
+ preset(arg) {
409
+ this.presetArg = arg;
410
+ return this;
411
+ }
412
+ conflicts(names) {
413
+ this.conflictsWith = this.conflictsWith.concat(names);
414
+ return this;
415
+ }
416
+ implies(impliedOptionValues) {
417
+ let newImplied = impliedOptionValues;
418
+ if (typeof impliedOptionValues === "string") {
419
+ newImplied = { [impliedOptionValues]: true };
420
+ }
421
+ this.implied = Object.assign(this.implied || {}, newImplied);
422
+ return this;
423
+ }
424
+ env(name) {
425
+ this.envVar = name;
426
+ return this;
427
+ }
428
+ argParser(fn) {
429
+ this.parseArg = fn;
430
+ return this;
431
+ }
432
+ makeOptionMandatory(mandatory = true) {
433
+ this.mandatory = !!mandatory;
434
+ return this;
435
+ }
436
+ hideHelp(hide = true) {
437
+ this.hidden = !!hide;
438
+ return this;
439
+ }
440
+ _concatValue(value, previous) {
441
+ if (previous === this.defaultValue || !Array.isArray(previous)) {
442
+ return [value];
443
+ }
444
+ return previous.concat(value);
445
+ }
446
+ choices(values) {
447
+ this.argChoices = values.slice();
448
+ this.parseArg = (arg, previous) => {
449
+ if (!this.argChoices.includes(arg)) {
450
+ throw new InvalidArgumentError(`Allowed choices are ${this.argChoices.join(", ")}.`);
451
+ }
452
+ if (this.variadic) {
453
+ return this._concatValue(arg, previous);
454
+ }
455
+ return arg;
456
+ };
457
+ return this;
458
+ }
459
+ name() {
460
+ if (this.long) {
461
+ return this.long.replace(/^--/, "");
462
+ }
463
+ return this.short.replace(/^-/, "");
464
+ }
465
+ attributeName() {
466
+ return camelcase(this.name().replace(/^no-/, ""));
467
+ }
468
+ is(arg) {
469
+ return this.short === arg || this.long === arg;
470
+ }
471
+ isBoolean() {
472
+ return !this.required && !this.optional && !this.negate;
473
+ }
474
+ }
475
+
476
+ class DualOptions {
477
+ constructor(options) {
478
+ this.positiveOptions = new Map;
479
+ this.negativeOptions = new Map;
480
+ this.dualOptions = new Set;
481
+ options.forEach((option) => {
482
+ if (option.negate) {
483
+ this.negativeOptions.set(option.attributeName(), option);
484
+ } else {
485
+ this.positiveOptions.set(option.attributeName(), option);
486
+ }
487
+ });
488
+ this.negativeOptions.forEach((value, key) => {
489
+ if (this.positiveOptions.has(key)) {
490
+ this.dualOptions.add(key);
491
+ }
492
+ });
493
+ }
494
+ valueFromOption(value, option) {
495
+ const optionKey = option.attributeName();
496
+ if (!this.dualOptions.has(optionKey))
497
+ return true;
498
+ const preset = this.negativeOptions.get(optionKey).presetArg;
499
+ const negativeValue = preset !== undefined ? preset : false;
500
+ return option.negate === (negativeValue === value);
501
+ }
502
+ }
503
+ function camelcase(str) {
504
+ return str.split("-").reduce((str2, word) => {
505
+ return str2 + word[0].toUpperCase() + word.slice(1);
506
+ });
507
+ }
508
+ function splitOptionFlags(flags) {
509
+ let shortFlag;
510
+ let longFlag;
511
+ const flagParts = flags.split(/[ |,]+/);
512
+ if (flagParts.length > 1 && !/^[[<]/.test(flagParts[1]))
513
+ shortFlag = flagParts.shift();
514
+ longFlag = flagParts.shift();
515
+ if (!shortFlag && /^-[^-]$/.test(longFlag)) {
516
+ shortFlag = longFlag;
517
+ longFlag = undefined;
518
+ }
519
+ return { shortFlag, longFlag };
520
+ }
521
+ exports.Option = Option;
522
+ exports.DualOptions = DualOptions;
523
+ });
524
+
525
+ // node_modules/commander/lib/suggestSimilar.js
526
+ var require_suggestSimilar = __commonJS((exports) => {
527
+ var maxDistance = 3;
528
+ function editDistance(a, b) {
529
+ if (Math.abs(a.length - b.length) > maxDistance)
530
+ return Math.max(a.length, b.length);
531
+ const d = [];
532
+ for (let i = 0;i <= a.length; i++) {
533
+ d[i] = [i];
534
+ }
535
+ for (let j = 0;j <= b.length; j++) {
536
+ d[0][j] = j;
537
+ }
538
+ for (let j = 1;j <= b.length; j++) {
539
+ for (let i = 1;i <= a.length; i++) {
540
+ let cost = 1;
541
+ if (a[i - 1] === b[j - 1]) {
542
+ cost = 0;
543
+ } else {
544
+ cost = 1;
545
+ }
546
+ d[i][j] = Math.min(d[i - 1][j] + 1, d[i][j - 1] + 1, d[i - 1][j - 1] + cost);
547
+ if (i > 1 && j > 1 && a[i - 1] === b[j - 2] && a[i - 2] === b[j - 1]) {
548
+ d[i][j] = Math.min(d[i][j], d[i - 2][j - 2] + 1);
549
+ }
550
+ }
551
+ }
552
+ return d[a.length][b.length];
553
+ }
554
+ function suggestSimilar(word, candidates) {
555
+ if (!candidates || candidates.length === 0)
556
+ return "";
557
+ candidates = Array.from(new Set(candidates));
558
+ const searchingOptions = word.startsWith("--");
559
+ if (searchingOptions) {
560
+ word = word.slice(2);
561
+ candidates = candidates.map((candidate) => candidate.slice(2));
562
+ }
563
+ let similar = [];
564
+ let bestDistance = maxDistance;
565
+ const minSimilarity = 0.4;
566
+ candidates.forEach((candidate) => {
567
+ if (candidate.length <= 1)
568
+ return;
569
+ const distance = editDistance(word, candidate);
570
+ const length = Math.max(word.length, candidate.length);
571
+ const similarity = (length - distance) / length;
572
+ if (similarity > minSimilarity) {
573
+ if (distance < bestDistance) {
574
+ bestDistance = distance;
575
+ similar = [candidate];
576
+ } else if (distance === bestDistance) {
577
+ similar.push(candidate);
578
+ }
579
+ }
580
+ });
581
+ similar.sort((a, b) => a.localeCompare(b));
582
+ if (searchingOptions) {
583
+ similar = similar.map((candidate) => `--${candidate}`);
584
+ }
585
+ if (similar.length > 1) {
586
+ return `
587
+ (Did you mean one of ${similar.join(", ")}?)`;
588
+ }
589
+ if (similar.length === 1) {
590
+ return `
591
+ (Did you mean ${similar[0]}?)`;
592
+ }
593
+ return "";
594
+ }
595
+ exports.suggestSimilar = suggestSimilar;
596
+ });
597
+
598
+ // node_modules/commander/lib/command.js
599
+ var require_command = __commonJS((exports) => {
600
+ var EventEmitter = __require("node:events").EventEmitter;
601
+ var childProcess = __require("node:child_process");
602
+ var path = __require("node:path");
603
+ var fs = __require("node:fs");
604
+ var process2 = __require("node:process");
605
+ var { Argument, humanReadableArgName } = require_argument();
606
+ var { CommanderError } = require_error();
607
+ var { Help } = require_help();
608
+ var { Option, DualOptions } = require_option();
609
+ var { suggestSimilar } = require_suggestSimilar();
610
+
611
+ class Command extends EventEmitter {
612
+ constructor(name) {
613
+ super();
614
+ this.commands = [];
615
+ this.options = [];
616
+ this.parent = null;
617
+ this._allowUnknownOption = false;
618
+ this._allowExcessArguments = true;
619
+ this.registeredArguments = [];
620
+ this._args = this.registeredArguments;
621
+ this.args = [];
622
+ this.rawArgs = [];
623
+ this.processedArgs = [];
624
+ this._scriptPath = null;
625
+ this._name = name || "";
626
+ this._optionValues = {};
627
+ this._optionValueSources = {};
628
+ this._storeOptionsAsProperties = false;
629
+ this._actionHandler = null;
630
+ this._executableHandler = false;
631
+ this._executableFile = null;
632
+ this._executableDir = null;
633
+ this._defaultCommandName = null;
634
+ this._exitCallback = null;
635
+ this._aliases = [];
636
+ this._combineFlagAndOptionalValue = true;
637
+ this._description = "";
638
+ this._summary = "";
639
+ this._argsDescription = undefined;
640
+ this._enablePositionalOptions = false;
641
+ this._passThroughOptions = false;
642
+ this._lifeCycleHooks = {};
643
+ this._showHelpAfterError = false;
644
+ this._showSuggestionAfterError = true;
645
+ this._outputConfiguration = {
646
+ writeOut: (str) => process2.stdout.write(str),
647
+ writeErr: (str) => process2.stderr.write(str),
648
+ getOutHelpWidth: () => process2.stdout.isTTY ? process2.stdout.columns : undefined,
649
+ getErrHelpWidth: () => process2.stderr.isTTY ? process2.stderr.columns : undefined,
650
+ outputError: (str, write) => write(str)
651
+ };
652
+ this._hidden = false;
653
+ this._helpOption = undefined;
654
+ this._addImplicitHelpCommand = undefined;
655
+ this._helpCommand = undefined;
656
+ this._helpConfiguration = {};
657
+ }
658
+ copyInheritedSettings(sourceCommand) {
659
+ this._outputConfiguration = sourceCommand._outputConfiguration;
660
+ this._helpOption = sourceCommand._helpOption;
661
+ this._helpCommand = sourceCommand._helpCommand;
662
+ this._helpConfiguration = sourceCommand._helpConfiguration;
663
+ this._exitCallback = sourceCommand._exitCallback;
664
+ this._storeOptionsAsProperties = sourceCommand._storeOptionsAsProperties;
665
+ this._combineFlagAndOptionalValue = sourceCommand._combineFlagAndOptionalValue;
666
+ this._allowExcessArguments = sourceCommand._allowExcessArguments;
667
+ this._enablePositionalOptions = sourceCommand._enablePositionalOptions;
668
+ this._showHelpAfterError = sourceCommand._showHelpAfterError;
669
+ this._showSuggestionAfterError = sourceCommand._showSuggestionAfterError;
670
+ return this;
671
+ }
672
+ _getCommandAndAncestors() {
673
+ const result = [];
674
+ for (let command = this;command; command = command.parent) {
675
+ result.push(command);
676
+ }
677
+ return result;
678
+ }
679
+ command(nameAndArgs, actionOptsOrExecDesc, execOpts) {
680
+ let desc = actionOptsOrExecDesc;
681
+ let opts = execOpts;
682
+ if (typeof desc === "object" && desc !== null) {
683
+ opts = desc;
684
+ desc = null;
685
+ }
686
+ opts = opts || {};
687
+ const [, name, args] = nameAndArgs.match(/([^ ]+) *(.*)/);
688
+ const cmd = this.createCommand(name);
689
+ if (desc) {
690
+ cmd.description(desc);
691
+ cmd._executableHandler = true;
692
+ }
693
+ if (opts.isDefault)
694
+ this._defaultCommandName = cmd._name;
695
+ cmd._hidden = !!(opts.noHelp || opts.hidden);
696
+ cmd._executableFile = opts.executableFile || null;
697
+ if (args)
698
+ cmd.arguments(args);
699
+ this._registerCommand(cmd);
700
+ cmd.parent = this;
701
+ cmd.copyInheritedSettings(this);
702
+ if (desc)
703
+ return this;
704
+ return cmd;
705
+ }
706
+ createCommand(name) {
707
+ return new Command(name);
708
+ }
709
+ createHelp() {
710
+ return Object.assign(new Help, this.configureHelp());
711
+ }
712
+ configureHelp(configuration) {
713
+ if (configuration === undefined)
714
+ return this._helpConfiguration;
715
+ this._helpConfiguration = configuration;
716
+ return this;
717
+ }
718
+ configureOutput(configuration) {
719
+ if (configuration === undefined)
720
+ return this._outputConfiguration;
721
+ Object.assign(this._outputConfiguration, configuration);
722
+ return this;
723
+ }
724
+ showHelpAfterError(displayHelp = true) {
725
+ if (typeof displayHelp !== "string")
726
+ displayHelp = !!displayHelp;
727
+ this._showHelpAfterError = displayHelp;
728
+ return this;
729
+ }
730
+ showSuggestionAfterError(displaySuggestion = true) {
731
+ this._showSuggestionAfterError = !!displaySuggestion;
732
+ return this;
733
+ }
734
+ addCommand(cmd, opts) {
735
+ if (!cmd._name) {
736
+ throw new Error(`Command passed to .addCommand() must have a name
737
+ - specify the name in Command constructor or using .name()`);
738
+ }
739
+ opts = opts || {};
740
+ if (opts.isDefault)
741
+ this._defaultCommandName = cmd._name;
742
+ if (opts.noHelp || opts.hidden)
743
+ cmd._hidden = true;
744
+ this._registerCommand(cmd);
745
+ cmd.parent = this;
746
+ cmd._checkForBrokenPassThrough();
747
+ return this;
748
+ }
749
+ createArgument(name, description) {
750
+ return new Argument(name, description);
751
+ }
752
+ argument(name, description, fn, defaultValue) {
753
+ const argument = this.createArgument(name, description);
754
+ if (typeof fn === "function") {
755
+ argument.default(defaultValue).argParser(fn);
756
+ } else {
757
+ argument.default(fn);
758
+ }
759
+ this.addArgument(argument);
760
+ return this;
761
+ }
762
+ arguments(names) {
763
+ names.trim().split(/ +/).forEach((detail) => {
764
+ this.argument(detail);
765
+ });
766
+ return this;
767
+ }
768
+ addArgument(argument) {
769
+ const previousArgument = this.registeredArguments.slice(-1)[0];
770
+ if (previousArgument && previousArgument.variadic) {
771
+ throw new Error(`only the last argument can be variadic '${previousArgument.name()}'`);
772
+ }
773
+ if (argument.required && argument.defaultValue !== undefined && argument.parseArg === undefined) {
774
+ throw new Error(`a default value for a required argument is never used: '${argument.name()}'`);
775
+ }
776
+ this.registeredArguments.push(argument);
777
+ return this;
778
+ }
779
+ helpCommand(enableOrNameAndArgs, description) {
780
+ if (typeof enableOrNameAndArgs === "boolean") {
781
+ this._addImplicitHelpCommand = enableOrNameAndArgs;
782
+ return this;
783
+ }
784
+ enableOrNameAndArgs = enableOrNameAndArgs ?? "help [command]";
785
+ const [, helpName, helpArgs] = enableOrNameAndArgs.match(/([^ ]+) *(.*)/);
786
+ const helpDescription = description ?? "display help for command";
787
+ const helpCommand = this.createCommand(helpName);
788
+ helpCommand.helpOption(false);
789
+ if (helpArgs)
790
+ helpCommand.arguments(helpArgs);
791
+ if (helpDescription)
792
+ helpCommand.description(helpDescription);
793
+ this._addImplicitHelpCommand = true;
794
+ this._helpCommand = helpCommand;
795
+ return this;
796
+ }
797
+ addHelpCommand(helpCommand, deprecatedDescription) {
798
+ if (typeof helpCommand !== "object") {
799
+ this.helpCommand(helpCommand, deprecatedDescription);
800
+ return this;
801
+ }
802
+ this._addImplicitHelpCommand = true;
803
+ this._helpCommand = helpCommand;
804
+ return this;
805
+ }
806
+ _getHelpCommand() {
807
+ const hasImplicitHelpCommand = this._addImplicitHelpCommand ?? (this.commands.length && !this._actionHandler && !this._findCommand("help"));
808
+ if (hasImplicitHelpCommand) {
809
+ if (this._helpCommand === undefined) {
810
+ this.helpCommand(undefined, undefined);
811
+ }
812
+ return this._helpCommand;
813
+ }
814
+ return null;
815
+ }
816
+ hook(event, listener) {
817
+ const allowedValues = ["preSubcommand", "preAction", "postAction"];
818
+ if (!allowedValues.includes(event)) {
819
+ throw new Error(`Unexpected value for event passed to hook : '${event}'.
820
+ Expecting one of '${allowedValues.join("', '")}'`);
821
+ }
822
+ if (this._lifeCycleHooks[event]) {
823
+ this._lifeCycleHooks[event].push(listener);
824
+ } else {
825
+ this._lifeCycleHooks[event] = [listener];
826
+ }
827
+ return this;
828
+ }
829
+ exitOverride(fn) {
830
+ if (fn) {
831
+ this._exitCallback = fn;
832
+ } else {
833
+ this._exitCallback = (err) => {
834
+ if (err.code !== "commander.executeSubCommandAsync") {
835
+ throw err;
836
+ } else {}
837
+ };
838
+ }
839
+ return this;
840
+ }
841
+ _exit(exitCode, code, message) {
842
+ if (this._exitCallback) {
843
+ this._exitCallback(new CommanderError(exitCode, code, message));
844
+ }
845
+ process2.exit(exitCode);
846
+ }
847
+ action(fn) {
848
+ const listener = (args) => {
849
+ const expectedArgsCount = this.registeredArguments.length;
850
+ const actionArgs = args.slice(0, expectedArgsCount);
851
+ if (this._storeOptionsAsProperties) {
852
+ actionArgs[expectedArgsCount] = this;
853
+ } else {
854
+ actionArgs[expectedArgsCount] = this.opts();
855
+ }
856
+ actionArgs.push(this);
857
+ return fn.apply(this, actionArgs);
858
+ };
859
+ this._actionHandler = listener;
860
+ return this;
861
+ }
862
+ createOption(flags, description) {
863
+ return new Option(flags, description);
864
+ }
865
+ _callParseArg(target, value, previous, invalidArgumentMessage) {
866
+ try {
867
+ return target.parseArg(value, previous);
868
+ } catch (err) {
869
+ if (err.code === "commander.invalidArgument") {
870
+ const message = `${invalidArgumentMessage} ${err.message}`;
871
+ this.error(message, { exitCode: err.exitCode, code: err.code });
872
+ }
873
+ throw err;
874
+ }
875
+ }
876
+ _registerOption(option) {
877
+ const matchingOption = option.short && this._findOption(option.short) || option.long && this._findOption(option.long);
878
+ if (matchingOption) {
879
+ const matchingFlag = option.long && this._findOption(option.long) ? option.long : option.short;
880
+ throw new Error(`Cannot add option '${option.flags}'${this._name && ` to command '${this._name}'`} due to conflicting flag '${matchingFlag}'
881
+ - already used by option '${matchingOption.flags}'`);
882
+ }
883
+ this.options.push(option);
884
+ }
885
+ _registerCommand(command) {
886
+ const knownBy = (cmd) => {
887
+ return [cmd.name()].concat(cmd.aliases());
888
+ };
889
+ const alreadyUsed = knownBy(command).find((name) => this._findCommand(name));
890
+ if (alreadyUsed) {
891
+ const existingCmd = knownBy(this._findCommand(alreadyUsed)).join("|");
892
+ const newCmd = knownBy(command).join("|");
893
+ throw new Error(`cannot add command '${newCmd}' as already have command '${existingCmd}'`);
894
+ }
895
+ this.commands.push(command);
896
+ }
897
+ addOption(option) {
898
+ this._registerOption(option);
899
+ const oname = option.name();
900
+ const name = option.attributeName();
901
+ if (option.negate) {
902
+ const positiveLongFlag = option.long.replace(/^--no-/, "--");
903
+ if (!this._findOption(positiveLongFlag)) {
904
+ this.setOptionValueWithSource(name, option.defaultValue === undefined ? true : option.defaultValue, "default");
905
+ }
906
+ } else if (option.defaultValue !== undefined) {
907
+ this.setOptionValueWithSource(name, option.defaultValue, "default");
908
+ }
909
+ const handleOptionValue = (val, invalidValueMessage, valueSource) => {
910
+ if (val == null && option.presetArg !== undefined) {
911
+ val = option.presetArg;
912
+ }
913
+ const oldValue = this.getOptionValue(name);
914
+ if (val !== null && option.parseArg) {
915
+ val = this._callParseArg(option, val, oldValue, invalidValueMessage);
916
+ } else if (val !== null && option.variadic) {
917
+ val = option._concatValue(val, oldValue);
918
+ }
919
+ if (val == null) {
920
+ if (option.negate) {
921
+ val = false;
922
+ } else if (option.isBoolean() || option.optional) {
923
+ val = true;
924
+ } else {
925
+ val = "";
926
+ }
927
+ }
928
+ this.setOptionValueWithSource(name, val, valueSource);
929
+ };
930
+ this.on("option:" + oname, (val) => {
931
+ const invalidValueMessage = `error: option '${option.flags}' argument '${val}' is invalid.`;
932
+ handleOptionValue(val, invalidValueMessage, "cli");
933
+ });
934
+ if (option.envVar) {
935
+ this.on("optionEnv:" + oname, (val) => {
936
+ const invalidValueMessage = `error: option '${option.flags}' value '${val}' from env '${option.envVar}' is invalid.`;
937
+ handleOptionValue(val, invalidValueMessage, "env");
938
+ });
939
+ }
940
+ return this;
941
+ }
942
+ _optionEx(config, flags, description, fn, defaultValue) {
943
+ if (typeof flags === "object" && flags instanceof Option) {
944
+ throw new Error("To add an Option object use addOption() instead of option() or requiredOption()");
945
+ }
946
+ const option = this.createOption(flags, description);
947
+ option.makeOptionMandatory(!!config.mandatory);
948
+ if (typeof fn === "function") {
949
+ option.default(defaultValue).argParser(fn);
950
+ } else if (fn instanceof RegExp) {
951
+ const regex = fn;
952
+ fn = (val, def) => {
953
+ const m = regex.exec(val);
954
+ return m ? m[0] : def;
955
+ };
956
+ option.default(defaultValue).argParser(fn);
957
+ } else {
958
+ option.default(fn);
959
+ }
960
+ return this.addOption(option);
961
+ }
962
+ option(flags, description, parseArg, defaultValue) {
963
+ return this._optionEx({}, flags, description, parseArg, defaultValue);
964
+ }
965
+ requiredOption(flags, description, parseArg, defaultValue) {
966
+ return this._optionEx({ mandatory: true }, flags, description, parseArg, defaultValue);
967
+ }
968
+ combineFlagAndOptionalValue(combine = true) {
969
+ this._combineFlagAndOptionalValue = !!combine;
970
+ return this;
971
+ }
972
+ allowUnknownOption(allowUnknown = true) {
973
+ this._allowUnknownOption = !!allowUnknown;
974
+ return this;
975
+ }
976
+ allowExcessArguments(allowExcess = true) {
977
+ this._allowExcessArguments = !!allowExcess;
978
+ return this;
979
+ }
980
+ enablePositionalOptions(positional = true) {
981
+ this._enablePositionalOptions = !!positional;
982
+ return this;
983
+ }
984
+ passThroughOptions(passThrough = true) {
985
+ this._passThroughOptions = !!passThrough;
986
+ this._checkForBrokenPassThrough();
987
+ return this;
988
+ }
989
+ _checkForBrokenPassThrough() {
990
+ if (this.parent && this._passThroughOptions && !this.parent._enablePositionalOptions) {
991
+ throw new Error(`passThroughOptions cannot be used for '${this._name}' without turning on enablePositionalOptions for parent command(s)`);
992
+ }
993
+ }
994
+ storeOptionsAsProperties(storeAsProperties = true) {
995
+ if (this.options.length) {
996
+ throw new Error("call .storeOptionsAsProperties() before adding options");
997
+ }
998
+ if (Object.keys(this._optionValues).length) {
999
+ throw new Error("call .storeOptionsAsProperties() before setting option values");
1000
+ }
1001
+ this._storeOptionsAsProperties = !!storeAsProperties;
1002
+ return this;
1003
+ }
1004
+ getOptionValue(key) {
1005
+ if (this._storeOptionsAsProperties) {
1006
+ return this[key];
1007
+ }
1008
+ return this._optionValues[key];
1009
+ }
1010
+ setOptionValue(key, value) {
1011
+ return this.setOptionValueWithSource(key, value, undefined);
1012
+ }
1013
+ setOptionValueWithSource(key, value, source) {
1014
+ if (this._storeOptionsAsProperties) {
1015
+ this[key] = value;
1016
+ } else {
1017
+ this._optionValues[key] = value;
1018
+ }
1019
+ this._optionValueSources[key] = source;
1020
+ return this;
1021
+ }
1022
+ getOptionValueSource(key) {
1023
+ return this._optionValueSources[key];
1024
+ }
1025
+ getOptionValueSourceWithGlobals(key) {
1026
+ let source;
1027
+ this._getCommandAndAncestors().forEach((cmd) => {
1028
+ if (cmd.getOptionValueSource(key) !== undefined) {
1029
+ source = cmd.getOptionValueSource(key);
1030
+ }
1031
+ });
1032
+ return source;
1033
+ }
1034
+ _prepareUserArgs(argv, parseOptions) {
1035
+ if (argv !== undefined && !Array.isArray(argv)) {
1036
+ throw new Error("first parameter to parse must be array or undefined");
1037
+ }
1038
+ parseOptions = parseOptions || {};
1039
+ if (argv === undefined && parseOptions.from === undefined) {
1040
+ if (process2.versions?.electron) {
1041
+ parseOptions.from = "electron";
1042
+ }
1043
+ const execArgv = process2.execArgv ?? [];
1044
+ if (execArgv.includes("-e") || execArgv.includes("--eval") || execArgv.includes("-p") || execArgv.includes("--print")) {
1045
+ parseOptions.from = "eval";
1046
+ }
1047
+ }
1048
+ if (argv === undefined) {
1049
+ argv = process2.argv;
1050
+ }
1051
+ this.rawArgs = argv.slice();
1052
+ let userArgs;
1053
+ switch (parseOptions.from) {
1054
+ case undefined:
1055
+ case "node":
1056
+ this._scriptPath = argv[1];
1057
+ userArgs = argv.slice(2);
1058
+ break;
1059
+ case "electron":
1060
+ if (process2.defaultApp) {
1061
+ this._scriptPath = argv[1];
1062
+ userArgs = argv.slice(2);
1063
+ } else {
1064
+ userArgs = argv.slice(1);
1065
+ }
1066
+ break;
1067
+ case "user":
1068
+ userArgs = argv.slice(0);
1069
+ break;
1070
+ case "eval":
1071
+ userArgs = argv.slice(1);
1072
+ break;
1073
+ default:
1074
+ throw new Error(`unexpected parse option { from: '${parseOptions.from}' }`);
1075
+ }
1076
+ if (!this._name && this._scriptPath)
1077
+ this.nameFromFilename(this._scriptPath);
1078
+ this._name = this._name || "program";
1079
+ return userArgs;
1080
+ }
1081
+ parse(argv, parseOptions) {
1082
+ const userArgs = this._prepareUserArgs(argv, parseOptions);
1083
+ this._parseCommand([], userArgs);
1084
+ return this;
1085
+ }
1086
+ async parseAsync(argv, parseOptions) {
1087
+ const userArgs = this._prepareUserArgs(argv, parseOptions);
1088
+ await this._parseCommand([], userArgs);
1089
+ return this;
1090
+ }
1091
+ _executeSubCommand(subcommand, args) {
1092
+ args = args.slice();
1093
+ let launchWithNode = false;
1094
+ const sourceExt = [".js", ".ts", ".tsx", ".mjs", ".cjs"];
1095
+ function findFile(baseDir, baseName) {
1096
+ const localBin = path.resolve(baseDir, baseName);
1097
+ if (fs.existsSync(localBin))
1098
+ return localBin;
1099
+ if (sourceExt.includes(path.extname(baseName)))
1100
+ return;
1101
+ const foundExt = sourceExt.find((ext) => fs.existsSync(`${localBin}${ext}`));
1102
+ if (foundExt)
1103
+ return `${localBin}${foundExt}`;
1104
+ return;
1105
+ }
1106
+ this._checkForMissingMandatoryOptions();
1107
+ this._checkForConflictingOptions();
1108
+ let executableFile = subcommand._executableFile || `${this._name}-${subcommand._name}`;
1109
+ let executableDir = this._executableDir || "";
1110
+ if (this._scriptPath) {
1111
+ let resolvedScriptPath;
1112
+ try {
1113
+ resolvedScriptPath = fs.realpathSync(this._scriptPath);
1114
+ } catch (err) {
1115
+ resolvedScriptPath = this._scriptPath;
1116
+ }
1117
+ executableDir = path.resolve(path.dirname(resolvedScriptPath), executableDir);
1118
+ }
1119
+ if (executableDir) {
1120
+ let localFile = findFile(executableDir, executableFile);
1121
+ if (!localFile && !subcommand._executableFile && this._scriptPath) {
1122
+ const legacyName = path.basename(this._scriptPath, path.extname(this._scriptPath));
1123
+ if (legacyName !== this._name) {
1124
+ localFile = findFile(executableDir, `${legacyName}-${subcommand._name}`);
1125
+ }
1126
+ }
1127
+ executableFile = localFile || executableFile;
1128
+ }
1129
+ launchWithNode = sourceExt.includes(path.extname(executableFile));
1130
+ let proc;
1131
+ if (process2.platform !== "win32") {
1132
+ if (launchWithNode) {
1133
+ args.unshift(executableFile);
1134
+ args = incrementNodeInspectorPort(process2.execArgv).concat(args);
1135
+ proc = childProcess.spawn(process2.argv[0], args, { stdio: "inherit" });
1136
+ } else {
1137
+ proc = childProcess.spawn(executableFile, args, { stdio: "inherit" });
1138
+ }
1139
+ } else {
1140
+ args.unshift(executableFile);
1141
+ args = incrementNodeInspectorPort(process2.execArgv).concat(args);
1142
+ proc = childProcess.spawn(process2.execPath, args, { stdio: "inherit" });
1143
+ }
1144
+ if (!proc.killed) {
1145
+ const signals = ["SIGUSR1", "SIGUSR2", "SIGTERM", "SIGINT", "SIGHUP"];
1146
+ signals.forEach((signal) => {
1147
+ process2.on(signal, () => {
1148
+ if (proc.killed === false && proc.exitCode === null) {
1149
+ proc.kill(signal);
1150
+ }
1151
+ });
1152
+ });
1153
+ }
1154
+ const exitCallback = this._exitCallback;
1155
+ proc.on("close", (code) => {
1156
+ code = code ?? 1;
1157
+ if (!exitCallback) {
1158
+ process2.exit(code);
1159
+ } else {
1160
+ exitCallback(new CommanderError(code, "commander.executeSubCommandAsync", "(close)"));
1161
+ }
1162
+ });
1163
+ proc.on("error", (err) => {
1164
+ if (err.code === "ENOENT") {
1165
+ const executableDirMessage = executableDir ? `searched for local subcommand relative to directory '${executableDir}'` : "no directory for search for local subcommand, use .executableDir() to supply a custom directory";
1166
+ const executableMissing = `'${executableFile}' does not exist
1167
+ - if '${subcommand._name}' is not meant to be an executable command, remove description parameter from '.command()' and use '.description()' instead
1168
+ - if the default executable name is not suitable, use the executableFile option to supply a custom name or path
1169
+ - ${executableDirMessage}`;
1170
+ throw new Error(executableMissing);
1171
+ } else if (err.code === "EACCES") {
1172
+ throw new Error(`'${executableFile}' not executable`);
1173
+ }
1174
+ if (!exitCallback) {
1175
+ process2.exit(1);
1176
+ } else {
1177
+ const wrappedError = new CommanderError(1, "commander.executeSubCommandAsync", "(error)");
1178
+ wrappedError.nestedError = err;
1179
+ exitCallback(wrappedError);
1180
+ }
1181
+ });
1182
+ this.runningCommand = proc;
1183
+ }
1184
+ _dispatchSubcommand(commandName, operands, unknown) {
1185
+ const subCommand = this._findCommand(commandName);
1186
+ if (!subCommand)
1187
+ this.help({ error: true });
1188
+ let promiseChain;
1189
+ promiseChain = this._chainOrCallSubCommandHook(promiseChain, subCommand, "preSubcommand");
1190
+ promiseChain = this._chainOrCall(promiseChain, () => {
1191
+ if (subCommand._executableHandler) {
1192
+ this._executeSubCommand(subCommand, operands.concat(unknown));
1193
+ } else {
1194
+ return subCommand._parseCommand(operands, unknown);
1195
+ }
1196
+ });
1197
+ return promiseChain;
1198
+ }
1199
+ _dispatchHelpCommand(subcommandName) {
1200
+ if (!subcommandName) {
1201
+ this.help();
1202
+ }
1203
+ const subCommand = this._findCommand(subcommandName);
1204
+ if (subCommand && !subCommand._executableHandler) {
1205
+ subCommand.help();
1206
+ }
1207
+ return this._dispatchSubcommand(subcommandName, [], [this._getHelpOption()?.long ?? this._getHelpOption()?.short ?? "--help"]);
1208
+ }
1209
+ _checkNumberOfArguments() {
1210
+ this.registeredArguments.forEach((arg, i) => {
1211
+ if (arg.required && this.args[i] == null) {
1212
+ this.missingArgument(arg.name());
1213
+ }
1214
+ });
1215
+ if (this.registeredArguments.length > 0 && this.registeredArguments[this.registeredArguments.length - 1].variadic) {
1216
+ return;
1217
+ }
1218
+ if (this.args.length > this.registeredArguments.length) {
1219
+ this._excessArguments(this.args);
1220
+ }
1221
+ }
1222
+ _processArguments() {
1223
+ const myParseArg = (argument, value, previous) => {
1224
+ let parsedValue = value;
1225
+ if (value !== null && argument.parseArg) {
1226
+ const invalidValueMessage = `error: command-argument value '${value}' is invalid for argument '${argument.name()}'.`;
1227
+ parsedValue = this._callParseArg(argument, value, previous, invalidValueMessage);
1228
+ }
1229
+ return parsedValue;
1230
+ };
1231
+ this._checkNumberOfArguments();
1232
+ const processedArgs = [];
1233
+ this.registeredArguments.forEach((declaredArg, index) => {
1234
+ let value = declaredArg.defaultValue;
1235
+ if (declaredArg.variadic) {
1236
+ if (index < this.args.length) {
1237
+ value = this.args.slice(index);
1238
+ if (declaredArg.parseArg) {
1239
+ value = value.reduce((processed, v) => {
1240
+ return myParseArg(declaredArg, v, processed);
1241
+ }, declaredArg.defaultValue);
1242
+ }
1243
+ } else if (value === undefined) {
1244
+ value = [];
1245
+ }
1246
+ } else if (index < this.args.length) {
1247
+ value = this.args[index];
1248
+ if (declaredArg.parseArg) {
1249
+ value = myParseArg(declaredArg, value, declaredArg.defaultValue);
1250
+ }
1251
+ }
1252
+ processedArgs[index] = value;
1253
+ });
1254
+ this.processedArgs = processedArgs;
1255
+ }
1256
+ _chainOrCall(promise, fn) {
1257
+ if (promise && promise.then && typeof promise.then === "function") {
1258
+ return promise.then(() => fn());
1259
+ }
1260
+ return fn();
1261
+ }
1262
+ _chainOrCallHooks(promise, event) {
1263
+ let result = promise;
1264
+ const hooks = [];
1265
+ this._getCommandAndAncestors().reverse().filter((cmd) => cmd._lifeCycleHooks[event] !== undefined).forEach((hookedCommand) => {
1266
+ hookedCommand._lifeCycleHooks[event].forEach((callback) => {
1267
+ hooks.push({ hookedCommand, callback });
1268
+ });
1269
+ });
1270
+ if (event === "postAction") {
1271
+ hooks.reverse();
1272
+ }
1273
+ hooks.forEach((hookDetail) => {
1274
+ result = this._chainOrCall(result, () => {
1275
+ return hookDetail.callback(hookDetail.hookedCommand, this);
1276
+ });
1277
+ });
1278
+ return result;
1279
+ }
1280
+ _chainOrCallSubCommandHook(promise, subCommand, event) {
1281
+ let result = promise;
1282
+ if (this._lifeCycleHooks[event] !== undefined) {
1283
+ this._lifeCycleHooks[event].forEach((hook) => {
1284
+ result = this._chainOrCall(result, () => {
1285
+ return hook(this, subCommand);
1286
+ });
1287
+ });
1288
+ }
1289
+ return result;
1290
+ }
1291
+ _parseCommand(operands, unknown) {
1292
+ const parsed = this.parseOptions(unknown);
1293
+ this._parseOptionsEnv();
1294
+ this._parseOptionsImplied();
1295
+ operands = operands.concat(parsed.operands);
1296
+ unknown = parsed.unknown;
1297
+ this.args = operands.concat(unknown);
1298
+ if (operands && this._findCommand(operands[0])) {
1299
+ return this._dispatchSubcommand(operands[0], operands.slice(1), unknown);
1300
+ }
1301
+ if (this._getHelpCommand() && operands[0] === this._getHelpCommand().name()) {
1302
+ return this._dispatchHelpCommand(operands[1]);
1303
+ }
1304
+ if (this._defaultCommandName) {
1305
+ this._outputHelpIfRequested(unknown);
1306
+ return this._dispatchSubcommand(this._defaultCommandName, operands, unknown);
1307
+ }
1308
+ if (this.commands.length && this.args.length === 0 && !this._actionHandler && !this._defaultCommandName) {
1309
+ this.help({ error: true });
1310
+ }
1311
+ this._outputHelpIfRequested(parsed.unknown);
1312
+ this._checkForMissingMandatoryOptions();
1313
+ this._checkForConflictingOptions();
1314
+ const checkForUnknownOptions = () => {
1315
+ if (parsed.unknown.length > 0) {
1316
+ this.unknownOption(parsed.unknown[0]);
1317
+ }
1318
+ };
1319
+ const commandEvent = `command:${this.name()}`;
1320
+ if (this._actionHandler) {
1321
+ checkForUnknownOptions();
1322
+ this._processArguments();
1323
+ let promiseChain;
1324
+ promiseChain = this._chainOrCallHooks(promiseChain, "preAction");
1325
+ promiseChain = this._chainOrCall(promiseChain, () => this._actionHandler(this.processedArgs));
1326
+ if (this.parent) {
1327
+ promiseChain = this._chainOrCall(promiseChain, () => {
1328
+ this.parent.emit(commandEvent, operands, unknown);
1329
+ });
1330
+ }
1331
+ promiseChain = this._chainOrCallHooks(promiseChain, "postAction");
1332
+ return promiseChain;
1333
+ }
1334
+ if (this.parent && this.parent.listenerCount(commandEvent)) {
1335
+ checkForUnknownOptions();
1336
+ this._processArguments();
1337
+ this.parent.emit(commandEvent, operands, unknown);
1338
+ } else if (operands.length) {
1339
+ if (this._findCommand("*")) {
1340
+ return this._dispatchSubcommand("*", operands, unknown);
1341
+ }
1342
+ if (this.listenerCount("command:*")) {
1343
+ this.emit("command:*", operands, unknown);
1344
+ } else if (this.commands.length) {
1345
+ this.unknownCommand();
1346
+ } else {
1347
+ checkForUnknownOptions();
1348
+ this._processArguments();
1349
+ }
1350
+ } else if (this.commands.length) {
1351
+ checkForUnknownOptions();
1352
+ this.help({ error: true });
1353
+ } else {
1354
+ checkForUnknownOptions();
1355
+ this._processArguments();
1356
+ }
1357
+ }
1358
+ _findCommand(name) {
1359
+ if (!name)
1360
+ return;
1361
+ return this.commands.find((cmd) => cmd._name === name || cmd._aliases.includes(name));
1362
+ }
1363
+ _findOption(arg) {
1364
+ return this.options.find((option) => option.is(arg));
1365
+ }
1366
+ _checkForMissingMandatoryOptions() {
1367
+ this._getCommandAndAncestors().forEach((cmd) => {
1368
+ cmd.options.forEach((anOption) => {
1369
+ if (anOption.mandatory && cmd.getOptionValue(anOption.attributeName()) === undefined) {
1370
+ cmd.missingMandatoryOptionValue(anOption);
1371
+ }
1372
+ });
1373
+ });
1374
+ }
1375
+ _checkForConflictingLocalOptions() {
1376
+ const definedNonDefaultOptions = this.options.filter((option) => {
1377
+ const optionKey = option.attributeName();
1378
+ if (this.getOptionValue(optionKey) === undefined) {
1379
+ return false;
1380
+ }
1381
+ return this.getOptionValueSource(optionKey) !== "default";
1382
+ });
1383
+ const optionsWithConflicting = definedNonDefaultOptions.filter((option) => option.conflictsWith.length > 0);
1384
+ optionsWithConflicting.forEach((option) => {
1385
+ const conflictingAndDefined = definedNonDefaultOptions.find((defined) => option.conflictsWith.includes(defined.attributeName()));
1386
+ if (conflictingAndDefined) {
1387
+ this._conflictingOption(option, conflictingAndDefined);
1388
+ }
1389
+ });
1390
+ }
1391
+ _checkForConflictingOptions() {
1392
+ this._getCommandAndAncestors().forEach((cmd) => {
1393
+ cmd._checkForConflictingLocalOptions();
1394
+ });
1395
+ }
1396
+ parseOptions(argv) {
1397
+ const operands = [];
1398
+ const unknown = [];
1399
+ let dest = operands;
1400
+ const args = argv.slice();
1401
+ function maybeOption(arg) {
1402
+ return arg.length > 1 && arg[0] === "-";
1403
+ }
1404
+ let activeVariadicOption = null;
1405
+ while (args.length) {
1406
+ const arg = args.shift();
1407
+ if (arg === "--") {
1408
+ if (dest === unknown)
1409
+ dest.push(arg);
1410
+ dest.push(...args);
1411
+ break;
1412
+ }
1413
+ if (activeVariadicOption && !maybeOption(arg)) {
1414
+ this.emit(`option:${activeVariadicOption.name()}`, arg);
1415
+ continue;
1416
+ }
1417
+ activeVariadicOption = null;
1418
+ if (maybeOption(arg)) {
1419
+ const option = this._findOption(arg);
1420
+ if (option) {
1421
+ if (option.required) {
1422
+ const value = args.shift();
1423
+ if (value === undefined)
1424
+ this.optionMissingArgument(option);
1425
+ this.emit(`option:${option.name()}`, value);
1426
+ } else if (option.optional) {
1427
+ let value = null;
1428
+ if (args.length > 0 && !maybeOption(args[0])) {
1429
+ value = args.shift();
1430
+ }
1431
+ this.emit(`option:${option.name()}`, value);
1432
+ } else {
1433
+ this.emit(`option:${option.name()}`);
1434
+ }
1435
+ activeVariadicOption = option.variadic ? option : null;
1436
+ continue;
1437
+ }
1438
+ }
1439
+ if (arg.length > 2 && arg[0] === "-" && arg[1] !== "-") {
1440
+ const option = this._findOption(`-${arg[1]}`);
1441
+ if (option) {
1442
+ if (option.required || option.optional && this._combineFlagAndOptionalValue) {
1443
+ this.emit(`option:${option.name()}`, arg.slice(2));
1444
+ } else {
1445
+ this.emit(`option:${option.name()}`);
1446
+ args.unshift(`-${arg.slice(2)}`);
1447
+ }
1448
+ continue;
1449
+ }
1450
+ }
1451
+ if (/^--[^=]+=/.test(arg)) {
1452
+ const index = arg.indexOf("=");
1453
+ const option = this._findOption(arg.slice(0, index));
1454
+ if (option && (option.required || option.optional)) {
1455
+ this.emit(`option:${option.name()}`, arg.slice(index + 1));
1456
+ continue;
1457
+ }
1458
+ }
1459
+ if (maybeOption(arg)) {
1460
+ dest = unknown;
1461
+ }
1462
+ if ((this._enablePositionalOptions || this._passThroughOptions) && operands.length === 0 && unknown.length === 0) {
1463
+ if (this._findCommand(arg)) {
1464
+ operands.push(arg);
1465
+ if (args.length > 0)
1466
+ unknown.push(...args);
1467
+ break;
1468
+ } else if (this._getHelpCommand() && arg === this._getHelpCommand().name()) {
1469
+ operands.push(arg);
1470
+ if (args.length > 0)
1471
+ operands.push(...args);
1472
+ break;
1473
+ } else if (this._defaultCommandName) {
1474
+ unknown.push(arg);
1475
+ if (args.length > 0)
1476
+ unknown.push(...args);
1477
+ break;
1478
+ }
1479
+ }
1480
+ if (this._passThroughOptions) {
1481
+ dest.push(arg);
1482
+ if (args.length > 0)
1483
+ dest.push(...args);
1484
+ break;
1485
+ }
1486
+ dest.push(arg);
1487
+ }
1488
+ return { operands, unknown };
1489
+ }
1490
+ opts() {
1491
+ if (this._storeOptionsAsProperties) {
1492
+ const result = {};
1493
+ const len = this.options.length;
1494
+ for (let i = 0;i < len; i++) {
1495
+ const key = this.options[i].attributeName();
1496
+ result[key] = key === this._versionOptionName ? this._version : this[key];
1497
+ }
1498
+ return result;
1499
+ }
1500
+ return this._optionValues;
1501
+ }
1502
+ optsWithGlobals() {
1503
+ return this._getCommandAndAncestors().reduce((combinedOptions, cmd) => Object.assign(combinedOptions, cmd.opts()), {});
1504
+ }
1505
+ error(message, errorOptions) {
1506
+ this._outputConfiguration.outputError(`${message}
1507
+ `, this._outputConfiguration.writeErr);
1508
+ if (typeof this._showHelpAfterError === "string") {
1509
+ this._outputConfiguration.writeErr(`${this._showHelpAfterError}
1510
+ `);
1511
+ } else if (this._showHelpAfterError) {
1512
+ this._outputConfiguration.writeErr(`
1513
+ `);
1514
+ this.outputHelp({ error: true });
1515
+ }
1516
+ const config = errorOptions || {};
1517
+ const exitCode = config.exitCode || 1;
1518
+ const code = config.code || "commander.error";
1519
+ this._exit(exitCode, code, message);
1520
+ }
1521
+ _parseOptionsEnv() {
1522
+ this.options.forEach((option) => {
1523
+ if (option.envVar && option.envVar in process2.env) {
1524
+ const optionKey = option.attributeName();
1525
+ if (this.getOptionValue(optionKey) === undefined || ["default", "config", "env"].includes(this.getOptionValueSource(optionKey))) {
1526
+ if (option.required || option.optional) {
1527
+ this.emit(`optionEnv:${option.name()}`, process2.env[option.envVar]);
1528
+ } else {
1529
+ this.emit(`optionEnv:${option.name()}`);
1530
+ }
1531
+ }
1532
+ }
1533
+ });
1534
+ }
1535
+ _parseOptionsImplied() {
1536
+ const dualHelper = new DualOptions(this.options);
1537
+ const hasCustomOptionValue = (optionKey) => {
1538
+ return this.getOptionValue(optionKey) !== undefined && !["default", "implied"].includes(this.getOptionValueSource(optionKey));
1539
+ };
1540
+ this.options.filter((option) => option.implied !== undefined && hasCustomOptionValue(option.attributeName()) && dualHelper.valueFromOption(this.getOptionValue(option.attributeName()), option)).forEach((option) => {
1541
+ Object.keys(option.implied).filter((impliedKey) => !hasCustomOptionValue(impliedKey)).forEach((impliedKey) => {
1542
+ this.setOptionValueWithSource(impliedKey, option.implied[impliedKey], "implied");
1543
+ });
1544
+ });
1545
+ }
1546
+ missingArgument(name) {
1547
+ const message = `error: missing required argument '${name}'`;
1548
+ this.error(message, { code: "commander.missingArgument" });
1549
+ }
1550
+ optionMissingArgument(option) {
1551
+ const message = `error: option '${option.flags}' argument missing`;
1552
+ this.error(message, { code: "commander.optionMissingArgument" });
1553
+ }
1554
+ missingMandatoryOptionValue(option) {
1555
+ const message = `error: required option '${option.flags}' not specified`;
1556
+ this.error(message, { code: "commander.missingMandatoryOptionValue" });
1557
+ }
1558
+ _conflictingOption(option, conflictingOption) {
1559
+ const findBestOptionFromValue = (option2) => {
1560
+ const optionKey = option2.attributeName();
1561
+ const optionValue = this.getOptionValue(optionKey);
1562
+ const negativeOption = this.options.find((target) => target.negate && optionKey === target.attributeName());
1563
+ const positiveOption = this.options.find((target) => !target.negate && optionKey === target.attributeName());
1564
+ if (negativeOption && (negativeOption.presetArg === undefined && optionValue === false || negativeOption.presetArg !== undefined && optionValue === negativeOption.presetArg)) {
1565
+ return negativeOption;
1566
+ }
1567
+ return positiveOption || option2;
1568
+ };
1569
+ const getErrorMessage = (option2) => {
1570
+ const bestOption = findBestOptionFromValue(option2);
1571
+ const optionKey = bestOption.attributeName();
1572
+ const source = this.getOptionValueSource(optionKey);
1573
+ if (source === "env") {
1574
+ return `environment variable '${bestOption.envVar}'`;
1575
+ }
1576
+ return `option '${bestOption.flags}'`;
1577
+ };
1578
+ const message = `error: ${getErrorMessage(option)} cannot be used with ${getErrorMessage(conflictingOption)}`;
1579
+ this.error(message, { code: "commander.conflictingOption" });
1580
+ }
1581
+ unknownOption(flag) {
1582
+ if (this._allowUnknownOption)
1583
+ return;
1584
+ let suggestion = "";
1585
+ if (flag.startsWith("--") && this._showSuggestionAfterError) {
1586
+ let candidateFlags = [];
1587
+ let command = this;
1588
+ do {
1589
+ const moreFlags = command.createHelp().visibleOptions(command).filter((option) => option.long).map((option) => option.long);
1590
+ candidateFlags = candidateFlags.concat(moreFlags);
1591
+ command = command.parent;
1592
+ } while (command && !command._enablePositionalOptions);
1593
+ suggestion = suggestSimilar(flag, candidateFlags);
1594
+ }
1595
+ const message = `error: unknown option '${flag}'${suggestion}`;
1596
+ this.error(message, { code: "commander.unknownOption" });
1597
+ }
1598
+ _excessArguments(receivedArgs) {
1599
+ if (this._allowExcessArguments)
1600
+ return;
1601
+ const expected = this.registeredArguments.length;
1602
+ const s = expected === 1 ? "" : "s";
1603
+ const forSubcommand = this.parent ? ` for '${this.name()}'` : "";
1604
+ const message = `error: too many arguments${forSubcommand}. Expected ${expected} argument${s} but got ${receivedArgs.length}.`;
1605
+ this.error(message, { code: "commander.excessArguments" });
1606
+ }
1607
+ unknownCommand() {
1608
+ const unknownName = this.args[0];
1609
+ let suggestion = "";
1610
+ if (this._showSuggestionAfterError) {
1611
+ const candidateNames = [];
1612
+ this.createHelp().visibleCommands(this).forEach((command) => {
1613
+ candidateNames.push(command.name());
1614
+ if (command.alias())
1615
+ candidateNames.push(command.alias());
1616
+ });
1617
+ suggestion = suggestSimilar(unknownName, candidateNames);
1618
+ }
1619
+ const message = `error: unknown command '${unknownName}'${suggestion}`;
1620
+ this.error(message, { code: "commander.unknownCommand" });
1621
+ }
1622
+ version(str, flags, description) {
1623
+ if (str === undefined)
1624
+ return this._version;
1625
+ this._version = str;
1626
+ flags = flags || "-V, --version";
1627
+ description = description || "output the version number";
1628
+ const versionOption = this.createOption(flags, description);
1629
+ this._versionOptionName = versionOption.attributeName();
1630
+ this._registerOption(versionOption);
1631
+ this.on("option:" + versionOption.name(), () => {
1632
+ this._outputConfiguration.writeOut(`${str}
1633
+ `);
1634
+ this._exit(0, "commander.version", str);
1635
+ });
1636
+ return this;
1637
+ }
1638
+ description(str, argsDescription) {
1639
+ if (str === undefined && argsDescription === undefined)
1640
+ return this._description;
1641
+ this._description = str;
1642
+ if (argsDescription) {
1643
+ this._argsDescription = argsDescription;
1644
+ }
1645
+ return this;
1646
+ }
1647
+ summary(str) {
1648
+ if (str === undefined)
1649
+ return this._summary;
1650
+ this._summary = str;
1651
+ return this;
1652
+ }
1653
+ alias(alias) {
1654
+ if (alias === undefined)
1655
+ return this._aliases[0];
1656
+ let command = this;
1657
+ if (this.commands.length !== 0 && this.commands[this.commands.length - 1]._executableHandler) {
1658
+ command = this.commands[this.commands.length - 1];
1659
+ }
1660
+ if (alias === command._name)
1661
+ throw new Error("Command alias can't be the same as its name");
1662
+ const matchingCommand = this.parent?._findCommand(alias);
1663
+ if (matchingCommand) {
1664
+ const existingCmd = [matchingCommand.name()].concat(matchingCommand.aliases()).join("|");
1665
+ throw new Error(`cannot add alias '${alias}' to command '${this.name()}' as already have command '${existingCmd}'`);
1666
+ }
1667
+ command._aliases.push(alias);
1668
+ return this;
1669
+ }
1670
+ aliases(aliases) {
1671
+ if (aliases === undefined)
1672
+ return this._aliases;
1673
+ aliases.forEach((alias) => this.alias(alias));
1674
+ return this;
1675
+ }
1676
+ usage(str) {
1677
+ if (str === undefined) {
1678
+ if (this._usage)
1679
+ return this._usage;
1680
+ const args = this.registeredArguments.map((arg) => {
1681
+ return humanReadableArgName(arg);
1682
+ });
1683
+ return [].concat(this.options.length || this._helpOption !== null ? "[options]" : [], this.commands.length ? "[command]" : [], this.registeredArguments.length ? args : []).join(" ");
1684
+ }
1685
+ this._usage = str;
1686
+ return this;
1687
+ }
1688
+ name(str) {
1689
+ if (str === undefined)
1690
+ return this._name;
1691
+ this._name = str;
1692
+ return this;
1693
+ }
1694
+ nameFromFilename(filename) {
1695
+ this._name = path.basename(filename, path.extname(filename));
1696
+ return this;
1697
+ }
1698
+ executableDir(path2) {
1699
+ if (path2 === undefined)
1700
+ return this._executableDir;
1701
+ this._executableDir = path2;
1702
+ return this;
1703
+ }
1704
+ helpInformation(contextOptions) {
1705
+ const helper = this.createHelp();
1706
+ if (helper.helpWidth === undefined) {
1707
+ helper.helpWidth = contextOptions && contextOptions.error ? this._outputConfiguration.getErrHelpWidth() : this._outputConfiguration.getOutHelpWidth();
1708
+ }
1709
+ return helper.formatHelp(this, helper);
1710
+ }
1711
+ _getHelpContext(contextOptions) {
1712
+ contextOptions = contextOptions || {};
1713
+ const context = { error: !!contextOptions.error };
1714
+ let write;
1715
+ if (context.error) {
1716
+ write = (arg) => this._outputConfiguration.writeErr(arg);
1717
+ } else {
1718
+ write = (arg) => this._outputConfiguration.writeOut(arg);
1719
+ }
1720
+ context.write = contextOptions.write || write;
1721
+ context.command = this;
1722
+ return context;
1723
+ }
1724
+ outputHelp(contextOptions) {
1725
+ let deprecatedCallback;
1726
+ if (typeof contextOptions === "function") {
1727
+ deprecatedCallback = contextOptions;
1728
+ contextOptions = undefined;
1729
+ }
1730
+ const context = this._getHelpContext(contextOptions);
1731
+ this._getCommandAndAncestors().reverse().forEach((command) => command.emit("beforeAllHelp", context));
1732
+ this.emit("beforeHelp", context);
1733
+ let helpInformation = this.helpInformation(context);
1734
+ if (deprecatedCallback) {
1735
+ helpInformation = deprecatedCallback(helpInformation);
1736
+ if (typeof helpInformation !== "string" && !Buffer.isBuffer(helpInformation)) {
1737
+ throw new Error("outputHelp callback must return a string or a Buffer");
1738
+ }
1739
+ }
1740
+ context.write(helpInformation);
1741
+ if (this._getHelpOption()?.long) {
1742
+ this.emit(this._getHelpOption().long);
1743
+ }
1744
+ this.emit("afterHelp", context);
1745
+ this._getCommandAndAncestors().forEach((command) => command.emit("afterAllHelp", context));
1746
+ }
1747
+ helpOption(flags, description) {
1748
+ if (typeof flags === "boolean") {
1749
+ if (flags) {
1750
+ this._helpOption = this._helpOption ?? undefined;
1751
+ } else {
1752
+ this._helpOption = null;
1753
+ }
1754
+ return this;
1755
+ }
1756
+ flags = flags ?? "-h, --help";
1757
+ description = description ?? "display help for command";
1758
+ this._helpOption = this.createOption(flags, description);
1759
+ return this;
1760
+ }
1761
+ _getHelpOption() {
1762
+ if (this._helpOption === undefined) {
1763
+ this.helpOption(undefined, undefined);
1764
+ }
1765
+ return this._helpOption;
1766
+ }
1767
+ addHelpOption(option) {
1768
+ this._helpOption = option;
1769
+ return this;
1770
+ }
1771
+ help(contextOptions) {
1772
+ this.outputHelp(contextOptions);
1773
+ let exitCode = process2.exitCode || 0;
1774
+ if (exitCode === 0 && contextOptions && typeof contextOptions !== "function" && contextOptions.error) {
1775
+ exitCode = 1;
1776
+ }
1777
+ this._exit(exitCode, "commander.help", "(outputHelp)");
1778
+ }
1779
+ addHelpText(position, text) {
1780
+ const allowedValues = ["beforeAll", "before", "after", "afterAll"];
1781
+ if (!allowedValues.includes(position)) {
1782
+ throw new Error(`Unexpected value for position to addHelpText.
1783
+ Expecting one of '${allowedValues.join("', '")}'`);
1784
+ }
1785
+ const helpEvent = `${position}Help`;
1786
+ this.on(helpEvent, (context) => {
1787
+ let helpStr;
1788
+ if (typeof text === "function") {
1789
+ helpStr = text({ error: context.error, command: context.command });
1790
+ } else {
1791
+ helpStr = text;
1792
+ }
1793
+ if (helpStr) {
1794
+ context.write(`${helpStr}
1795
+ `);
1796
+ }
1797
+ });
1798
+ return this;
1799
+ }
1800
+ _outputHelpIfRequested(args) {
1801
+ const helpOption = this._getHelpOption();
1802
+ const helpRequested = helpOption && args.find((arg) => helpOption.is(arg));
1803
+ if (helpRequested) {
1804
+ this.outputHelp();
1805
+ this._exit(0, "commander.helpDisplayed", "(outputHelp)");
1806
+ }
1807
+ }
1808
+ }
1809
+ function incrementNodeInspectorPort(args) {
1810
+ return args.map((arg) => {
1811
+ if (!arg.startsWith("--inspect")) {
1812
+ return arg;
1813
+ }
1814
+ let debugOption;
1815
+ let debugHost = "127.0.0.1";
1816
+ let debugPort = "9229";
1817
+ let match;
1818
+ if ((match = arg.match(/^(--inspect(-brk)?)$/)) !== null) {
1819
+ debugOption = match[1];
1820
+ } else if ((match = arg.match(/^(--inspect(-brk|-port)?)=([^:]+)$/)) !== null) {
1821
+ debugOption = match[1];
1822
+ if (/^\d+$/.test(match[3])) {
1823
+ debugPort = match[3];
1824
+ } else {
1825
+ debugHost = match[3];
1826
+ }
1827
+ } else if ((match = arg.match(/^(--inspect(-brk|-port)?)=([^:]+):(\d+)$/)) !== null) {
1828
+ debugOption = match[1];
1829
+ debugHost = match[3];
1830
+ debugPort = match[4];
1831
+ }
1832
+ if (debugOption && debugPort !== "0") {
1833
+ return `${debugOption}=${debugHost}:${parseInt(debugPort) + 1}`;
1834
+ }
1835
+ return arg;
1836
+ });
1837
+ }
1838
+ exports.Command = Command;
1839
+ });
1840
+
1841
+ // node_modules/commander/index.js
1842
+ var require_commander = __commonJS((exports) => {
1843
+ var { Argument } = require_argument();
1844
+ var { Command } = require_command();
1845
+ var { CommanderError, InvalidArgumentError } = require_error();
1846
+ var { Help } = require_help();
1847
+ var { Option } = require_option();
1848
+ exports.program = new Command;
1849
+ exports.createCommand = (name) => new Command(name);
1850
+ exports.createOption = (flags, description) => new Option(flags, description);
1851
+ exports.createArgument = (name, description) => new Argument(name, description);
1852
+ exports.Command = Command;
1853
+ exports.Option = Option;
1854
+ exports.Argument = Argument;
1855
+ exports.Help = Help;
1856
+ exports.CommanderError = CommanderError;
1857
+ exports.InvalidArgumentError = InvalidArgumentError;
1858
+ exports.InvalidOptionArgumentError = InvalidArgumentError;
1859
+ });
1860
+
1861
+ // node_modules/commander/esm.mjs
1862
+ var import__ = __toESM(require_commander(), 1);
1863
+ var {
1864
+ program,
1865
+ createCommand,
1866
+ createArgument,
1867
+ createOption,
1868
+ CommanderError,
1869
+ InvalidArgumentError,
1870
+ InvalidOptionArgumentError,
1871
+ Command,
1872
+ Argument,
1873
+ Option,
1874
+ Help
1875
+ } = import__.default;
1876
+
1877
+ // src/cli.ts
1878
+ import { readFileSync, writeFileSync } from "fs";
1879
+
1880
+ // src/types.ts
1881
+ var SOURCE_LISTS = {
1882
+ us_ofac: "US Treasury OFAC SDN List",
1883
+ us_ofac_sdn: "US OFAC Specially Designated Nationals",
1884
+ us_ofac_cons: "US OFAC Consolidated List",
1885
+ us_csl: "US Consolidated Screening List",
1886
+ us_bis_denied: "US BIS Denied Persons List",
1887
+ us_bis_entity: "US BIS Entity List",
1888
+ us_bis_unverified: "US BIS Unverified List",
1889
+ un_consolidated: "UN Consolidated Sanctions List",
1890
+ eu_consolidated: "EU Consolidated Financial Sanctions",
1891
+ uk_ofsi: "UK OFSI Consolidated List",
1892
+ uk_sanctions: "UK Sanctions List",
1893
+ opensanctions: "OpenSanctions Consolidated"
1894
+ };
1895
+ var RISK_THRESHOLDS = {
1896
+ critical: 0.95,
1897
+ high: 0.85,
1898
+ medium: 0.7,
1899
+ low: 0.5
1900
+ };
1901
+
1902
+ // src/database.ts
1903
+ var SANCTIONS_DATABASE = [
1904
+ {
1905
+ name: "MADURO MOROS, Nicolas",
1906
+ entityType: "person",
1907
+ sourceList: "us_ofac",
1908
+ sourceId: "22790",
1909
+ matchScore: 0,
1910
+ person: {
1911
+ name: "Nicolas MADURO MOROS",
1912
+ altNames: ["Nicolas Maduro"],
1913
+ gender: "male",
1914
+ birthDate: "1962-11-23",
1915
+ titles: ["President of the Bolivarian Republic of Venezuela"],
1916
+ nationalities: ["Venezuela"],
1917
+ governmentIds: [
1918
+ { type: "cedula", country: "Venezuela", identifier: "5892464" }
1919
+ ]
1920
+ },
1921
+ programs: ["VENEZUELA", "IRAN-CON-ARMS-EO"],
1922
+ remarks: "President of the Bolivarian Republic of Venezuela."
1923
+ },
1924
+ {
1925
+ name: "KIM, Jong Un",
1926
+ entityType: "person",
1927
+ sourceList: "us_ofac",
1928
+ sourceId: "28457",
1929
+ matchScore: 0,
1930
+ person: {
1931
+ name: "KIM Jong Un",
1932
+ altNames: ["Kim Jong-un", "Kim Chong-un"],
1933
+ gender: "male",
1934
+ birthDate: "1984-01-08",
1935
+ titles: ["Supreme Leader of North Korea"],
1936
+ nationalities: ["North Korea"]
1937
+ },
1938
+ programs: ["DPRK", "DPRK3"],
1939
+ remarks: "Supreme Leader of the Democratic People's Republic of Korea."
1940
+ },
1941
+ {
1942
+ name: "PUTIN, Vladimir Vladimirovich",
1943
+ entityType: "person",
1944
+ sourceList: "us_ofac",
1945
+ sourceId: "35813",
1946
+ matchScore: 0,
1947
+ person: {
1948
+ name: "Vladimir Vladimirovich PUTIN",
1949
+ altNames: ["Vladimir Putin", "V.V. Putin"],
1950
+ gender: "male",
1951
+ birthDate: "1952-10-07",
1952
+ titles: ["President of the Russian Federation"],
1953
+ nationalities: ["Russia"]
1954
+ },
1955
+ programs: ["RUSSIA-EO14024"],
1956
+ remarks: "President of the Russian Federation."
1957
+ },
1958
+ {
1959
+ name: "SINALOA CARTEL",
1960
+ entityType: "organization",
1961
+ sourceList: "us_ofac",
1962
+ sourceId: "14551",
1963
+ matchScore: 0,
1964
+ business: {
1965
+ name: "Sinaloa Cartel",
1966
+ altNames: ["CDS", "Cartel de Sinaloa"],
1967
+ type: "Criminal Organization"
1968
+ },
1969
+ programs: ["TCO"],
1970
+ remarks: "Mexican drug trafficking organization."
1971
+ },
1972
+ {
1973
+ name: "GUZMAN LOERA, Joaquin Archivaldo",
1974
+ entityType: "person",
1975
+ sourceList: "us_ofac",
1976
+ sourceId: "14557",
1977
+ matchScore: 0,
1978
+ person: {
1979
+ name: "Joaquin Archivaldo GUZMAN LOERA",
1980
+ altNames: ["El Chapo", "Chapo Guzman"],
1981
+ gender: "male",
1982
+ birthDate: "1957-04-04",
1983
+ nationalities: ["Mexico"]
1984
+ },
1985
+ programs: ["TCO", "SDNTK"],
1986
+ remarks: "Leader of the Sinaloa Cartel."
1987
+ },
1988
+ {
1989
+ name: "BANK ROSSIYA",
1990
+ entityType: "business",
1991
+ sourceList: "us_ofac",
1992
+ sourceId: "17024",
1993
+ matchScore: 0,
1994
+ business: {
1995
+ name: "Bank Rossiya",
1996
+ altNames: ["Rossiya Bank", "AB ROSSIYA"],
1997
+ type: "Financial Institution",
1998
+ registrationCountry: "Russia"
1999
+ },
2000
+ addresses: [
2001
+ { city: "Saint Petersburg", country: "Russia" }
2002
+ ],
2003
+ programs: ["UKRAINE-EO13662"],
2004
+ remarks: "Russian bank associated with Russian government officials."
2005
+ },
2006
+ {
2007
+ name: "IRAN AIR",
2008
+ entityType: "business",
2009
+ sourceList: "us_ofac",
2010
+ sourceId: "6259",
2011
+ matchScore: 0,
2012
+ business: {
2013
+ name: "Iran Air",
2014
+ altNames: ["Iran National Airlines", "Homa"],
2015
+ type: "Airline",
2016
+ registrationCountry: "Iran"
2017
+ },
2018
+ programs: ["IRAN"],
2019
+ remarks: "National airline of Iran."
2020
+ },
2021
+ {
2022
+ name: "AL-QAIDA",
2023
+ entityType: "organization",
2024
+ sourceList: "us_ofac",
2025
+ sourceId: "6706",
2026
+ matchScore: 0,
2027
+ business: {
2028
+ name: "Al-Qaida",
2029
+ altNames: ["Al-Qaeda", "Al Qaida", "The Base"],
2030
+ type: "Terrorist Organization"
2031
+ },
2032
+ programs: ["SDGT"],
2033
+ remarks: "International terrorist network."
2034
+ },
2035
+ {
2036
+ name: "LUKASHENKO, Aleksandr Grigorievich",
2037
+ entityType: "person",
2038
+ sourceList: "us_ofac",
2039
+ sourceId: "33428",
2040
+ matchScore: 0,
2041
+ person: {
2042
+ name: "Aleksandr Grigorievich LUKASHENKO",
2043
+ altNames: ["Alexander Lukashenko"],
2044
+ gender: "male",
2045
+ birthDate: "1954-08-30",
2046
+ titles: ["President of Belarus"],
2047
+ nationalities: ["Belarus"]
2048
+ },
2049
+ programs: ["BELARUS"],
2050
+ remarks: "President of Belarus."
2051
+ },
2052
+ {
2053
+ name: "HEZBOLLAH",
2054
+ entityType: "organization",
2055
+ sourceList: "us_ofac",
2056
+ sourceId: "10225",
2057
+ matchScore: 0,
2058
+ business: {
2059
+ name: "Hezbollah",
2060
+ altNames: ["Hizballah", "Hizbullah", "Party of God"],
2061
+ type: "Terrorist Organization"
2062
+ },
2063
+ programs: ["SDGT", "LEBANON"],
2064
+ remarks: "Lebanese militant group and political party."
2065
+ },
2066
+ {
2067
+ name: "ROSNEFT",
2068
+ entityType: "business",
2069
+ sourceList: "us_ofac",
2070
+ sourceId: "17044",
2071
+ matchScore: 0,
2072
+ business: {
2073
+ name: "Rosneft Oil Company",
2074
+ altNames: ["Rosneft", "NK Rosneft"],
2075
+ type: "Oil & Gas",
2076
+ registrationCountry: "Russia"
2077
+ },
2078
+ programs: ["UKRAINE-EO13662"],
2079
+ remarks: "Russian state oil company."
2080
+ },
2081
+ {
2082
+ name: "HUAWEI TECHNOLOGIES CO., LTD.",
2083
+ entityType: "business",
2084
+ sourceList: "us_bis_entity",
2085
+ sourceId: "BIS-2019-0001",
2086
+ matchScore: 0,
2087
+ business: {
2088
+ name: "Huawei Technologies Co., Ltd.",
2089
+ altNames: ["Huawei"],
2090
+ type: "Technology",
2091
+ registrationCountry: "China"
2092
+ },
2093
+ addresses: [
2094
+ { city: "Shenzhen", state: "Guangdong", country: "China" }
2095
+ ],
2096
+ programs: ["ENTITY-LIST"],
2097
+ remarks: "Chinese technology company on BIS Entity List."
2098
+ }
2099
+ ];
2100
+ function getAllEntries() {
2101
+ return SANCTIONS_DATABASE;
2102
+ }
2103
+ function getDatabaseStats() {
2104
+ const stats = {
2105
+ totalEntries: SANCTIONS_DATABASE.length,
2106
+ persons: 0,
2107
+ businesses: 0,
2108
+ organizations: 0,
2109
+ bySource: {},
2110
+ byProgram: {}
2111
+ };
2112
+ for (const entry of SANCTIONS_DATABASE) {
2113
+ if (entry.entityType === "person")
2114
+ stats.persons++;
2115
+ else if (entry.entityType === "business")
2116
+ stats.businesses++;
2117
+ else if (entry.entityType === "organization")
2118
+ stats.organizations++;
2119
+ stats.bySource[entry.sourceList] = (stats.bySource[entry.sourceList] || 0) + 1;
2120
+ if (entry.programs) {
2121
+ for (const program2 of entry.programs) {
2122
+ stats.byProgram[program2] = (stats.byProgram[program2] || 0) + 1;
2123
+ }
2124
+ }
2125
+ }
2126
+ return stats;
2127
+ }
2128
+
2129
+ // src/matcher.ts
2130
+ function levenshteinDistance(a, b) {
2131
+ const matrix = [];
2132
+ for (let i = 0;i <= b.length; i++) {
2133
+ matrix[i] = [i];
2134
+ }
2135
+ for (let j = 0;j <= a.length; j++) {
2136
+ matrix[0][j] = j;
2137
+ }
2138
+ for (let i = 1;i <= b.length; i++) {
2139
+ for (let j = 1;j <= a.length; j++) {
2140
+ if (b.charAt(i - 1) === a.charAt(j - 1)) {
2141
+ matrix[i][j] = matrix[i - 1][j - 1];
2142
+ } else {
2143
+ matrix[i][j] = Math.min(matrix[i - 1][j - 1] + 1, matrix[i][j - 1] + 1, matrix[i - 1][j] + 1);
2144
+ }
2145
+ }
2146
+ }
2147
+ return matrix[b.length][a.length];
2148
+ }
2149
+ function jaroWinklerSimilarity(s1, s2) {
2150
+ if (s1 === s2)
2151
+ return 1;
2152
+ if (s1.length === 0 || s2.length === 0)
2153
+ return 0;
2154
+ const matchDistance = Math.max(Math.floor(Math.max(s1.length, s2.length) / 2) - 1, 0);
2155
+ const s1Matches = new Array(s1.length).fill(false);
2156
+ const s2Matches = new Array(s2.length).fill(false);
2157
+ let matches = 0;
2158
+ let transpositions = 0;
2159
+ for (let i = 0;i < s1.length; i++) {
2160
+ const start = Math.max(0, i - matchDistance);
2161
+ const end = Math.min(i + matchDistance + 1, s2.length);
2162
+ for (let j = start;j < end; j++) {
2163
+ if (s2Matches[j] || s1[i] !== s2[j])
2164
+ continue;
2165
+ s1Matches[i] = true;
2166
+ s2Matches[j] = true;
2167
+ matches++;
2168
+ break;
2169
+ }
2170
+ }
2171
+ if (matches === 0)
2172
+ return 0;
2173
+ let k = 0;
2174
+ for (let i = 0;i < s1.length; i++) {
2175
+ if (!s1Matches[i])
2176
+ continue;
2177
+ while (!s2Matches[k])
2178
+ k++;
2179
+ if (s1[i] !== s2[k])
2180
+ transpositions++;
2181
+ k++;
2182
+ }
2183
+ const jaro = (matches / s1.length + matches / s2.length + (matches - transpositions / 2) / matches) / 3;
2184
+ let prefix = 0;
2185
+ for (let i = 0;i < Math.min(4, Math.min(s1.length, s2.length)); i++) {
2186
+ if (s1[i] === s2[i])
2187
+ prefix++;
2188
+ else
2189
+ break;
2190
+ }
2191
+ return jaro + prefix * 0.1 * (1 - jaro);
2192
+ }
2193
+ function normalizeName(name) {
2194
+ return name.toUpperCase().replace(/[^A-Z\s]/g, "").replace(/\s+/g, " ").trim();
2195
+ }
2196
+ function generateNameVariations(name) {
2197
+ const variations = new Set;
2198
+ const normalized = normalizeName(name);
2199
+ variations.add(normalized);
2200
+ const parts = normalized.split(" ").filter((p) => p.length > 0);
2201
+ if (parts.length >= 2) {
2202
+ variations.add(`${parts[0]} ${parts[parts.length - 1]}`);
2203
+ variations.add(`${parts[parts.length - 1]} ${parts[0]}`);
2204
+ variations.add(parts[parts.length - 1]);
2205
+ if (parts.length === 2) {
2206
+ variations.add(`${parts[1]} ${parts[0]}`);
2207
+ }
2208
+ variations.add(parts[0]);
2209
+ }
2210
+ return Array.from(variations);
2211
+ }
2212
+ function calculateMatchScore(query, target) {
2213
+ const normalizedQuery = normalizeName(query);
2214
+ const normalizedTarget = normalizeName(target);
2215
+ if (normalizedQuery === normalizedTarget) {
2216
+ return 1;
2217
+ }
2218
+ const jaroScore = jaroWinklerSimilarity(normalizedQuery, normalizedTarget);
2219
+ const maxLen = Math.max(normalizedQuery.length, normalizedTarget.length);
2220
+ const levDistance = levenshteinDistance(normalizedQuery, normalizedTarget);
2221
+ const levScore = 1 - levDistance / maxLen;
2222
+ const queryVariations = generateNameVariations(query);
2223
+ const targetVariations = generateNameVariations(target);
2224
+ let bestVariationScore = 0;
2225
+ for (const qv of queryVariations) {
2226
+ for (const tv of targetVariations) {
2227
+ const score = jaroWinklerSimilarity(qv, tv);
2228
+ bestVariationScore = Math.max(bestVariationScore, score);
2229
+ }
2230
+ }
2231
+ const compositeScore = jaroScore * 0.4 + levScore * 0.3 + bestVariationScore * 0.3;
2232
+ return Math.min(1, compositeScore);
2233
+ }
2234
+
2235
+ // src/screener.ts
2236
+ function screenName(request) {
2237
+ const { name, type = "any", minMatch = 0.7, limit = 10 } = request;
2238
+ const entries = getAllEntries();
2239
+ const matches = [];
2240
+ for (const entry of entries) {
2241
+ if (type !== "any") {
2242
+ if (type === "person" && entry.entityType !== "person")
2243
+ continue;
2244
+ if (type === "business" && !["business", "organization"].includes(entry.entityType))
2245
+ continue;
2246
+ }
2247
+ let bestScore = calculateMatchScore(name, entry.name);
2248
+ const aliases = getAliases(entry);
2249
+ for (const alias of aliases) {
2250
+ const aliasScore = calculateMatchScore(name, alias);
2251
+ bestScore = Math.max(bestScore, aliasScore);
2252
+ }
2253
+ if (bestScore >= minMatch) {
2254
+ matches.push({
2255
+ ...entry,
2256
+ matchScore: bestScore
2257
+ });
2258
+ }
2259
+ }
2260
+ matches.sort((a, b) => b.matchScore - a.matchScore);
2261
+ const limitedMatches = matches.slice(0, limit);
2262
+ const highestScore = limitedMatches.length > 0 ? limitedMatches[0].matchScore : 0;
2263
+ const riskLevel = determineRiskLevel(highestScore);
2264
+ return {
2265
+ query: request,
2266
+ timestamp: new Date().toISOString(),
2267
+ matches: limitedMatches,
2268
+ hasMatches: limitedMatches.length > 0,
2269
+ highestScore,
2270
+ riskLevel
2271
+ };
2272
+ }
2273
+ function screenBatch(requests) {
2274
+ const results = [];
2275
+ let matchCount = 0;
2276
+ let clearCount = 0;
2277
+ for (const request of requests) {
2278
+ const result = screenName(request);
2279
+ results.push(result);
2280
+ if (result.hasMatches) {
2281
+ matchCount++;
2282
+ } else {
2283
+ clearCount++;
2284
+ }
2285
+ }
2286
+ return {
2287
+ timestamp: new Date().toISOString(),
2288
+ totalScreened: requests.length,
2289
+ matchCount,
2290
+ clearCount,
2291
+ results
2292
+ };
2293
+ }
2294
+ function getAliases(entry) {
2295
+ const aliases = [];
2296
+ if (entry.aliases) {
2297
+ aliases.push(...entry.aliases);
2298
+ }
2299
+ if (entry.person?.altNames) {
2300
+ aliases.push(...entry.person.altNames);
2301
+ }
2302
+ if (entry.business?.altNames) {
2303
+ aliases.push(...entry.business.altNames);
2304
+ }
2305
+ return aliases;
2306
+ }
2307
+ function determineRiskLevel(score) {
2308
+ if (score >= RISK_THRESHOLDS.critical)
2309
+ return "critical";
2310
+ if (score >= RISK_THRESHOLDS.high)
2311
+ return "high";
2312
+ if (score >= RISK_THRESHOLDS.medium)
2313
+ return "medium";
2314
+ if (score >= RISK_THRESHOLDS.low)
2315
+ return "low";
2316
+ return "clear";
2317
+ }
2318
+ function formatScreeningResult(result) {
2319
+ const lines = [];
2320
+ lines.push("═".repeat(60));
2321
+ lines.push("SANCTIONS SCREENING RESULT");
2322
+ lines.push("═".repeat(60));
2323
+ lines.push("");
2324
+ lines.push(`Query: ${result.query.name}`);
2325
+ if (result.query.type && result.query.type !== "any") {
2326
+ lines.push(`Type Filter: ${result.query.type}`);
2327
+ }
2328
+ lines.push(`Timestamp: ${result.timestamp}`);
2329
+ lines.push("");
2330
+ const riskEmoji = getRiskEmoji(result.riskLevel);
2331
+ const riskText = result.riskLevel.toUpperCase();
2332
+ lines.push(`Risk Level: ${riskEmoji} ${riskText}`);
2333
+ if (result.hasMatches) {
2334
+ lines.push(`Matches Found: ${result.matches.length}`);
2335
+ lines.push(`Highest Match: ${(result.highestScore * 100).toFixed(1)}%`);
2336
+ } else {
2337
+ lines.push("✓ No matches found - CLEAR");
2338
+ }
2339
+ lines.push("");
2340
+ if (result.matches.length > 0) {
2341
+ lines.push("─".repeat(60));
2342
+ lines.push("MATCHES");
2343
+ lines.push("─".repeat(60));
2344
+ result.matches.forEach((match, index) => {
2345
+ lines.push("");
2346
+ lines.push(`[${index + 1}] ${match.name}`);
2347
+ lines.push(` Match Score: ${(match.matchScore * 100).toFixed(1)}%`);
2348
+ lines.push(` Entity Type: ${match.entityType}`);
2349
+ lines.push(` Source: ${match.sourceList} (ID: ${match.sourceId})`);
2350
+ if (match.programs && match.programs.length > 0) {
2351
+ lines.push(` Programs: ${match.programs.join(", ")}`);
2352
+ }
2353
+ if (match.person) {
2354
+ if (match.person.birthDate) {
2355
+ lines.push(` DOB: ${match.person.birthDate}`);
2356
+ }
2357
+ if (match.person.nationalities && match.person.nationalities.length > 0) {
2358
+ lines.push(` Nationality: ${match.person.nationalities.join(", ")}`);
2359
+ }
2360
+ if (match.person.titles && match.person.titles.length > 0) {
2361
+ lines.push(` Title: ${match.person.titles[0]}`);
2362
+ }
2363
+ }
2364
+ if (match.business) {
2365
+ if (match.business.type) {
2366
+ lines.push(` Business Type: ${match.business.type}`);
2367
+ }
2368
+ if (match.business.registrationCountry) {
2369
+ lines.push(` Country: ${match.business.registrationCountry}`);
2370
+ }
2371
+ }
2372
+ if (match.remarks) {
2373
+ lines.push(` Remarks: ${match.remarks}`);
2374
+ }
2375
+ });
2376
+ }
2377
+ lines.push("");
2378
+ lines.push("═".repeat(60));
2379
+ return lines.join(`
2380
+ `);
2381
+ }
2382
+ function getRiskEmoji(level) {
2383
+ switch (level) {
2384
+ case "critical":
2385
+ return "\uD83D\uDEA8";
2386
+ case "high":
2387
+ return "⛔";
2388
+ case "medium":
2389
+ return "⚠️";
2390
+ case "low":
2391
+ return "⚡";
2392
+ case "clear":
2393
+ return "✅";
2394
+ default:
2395
+ return "❓";
2396
+ }
2397
+ }
2398
+ function formatBatchSummary(result) {
2399
+ const lines = [];
2400
+ lines.push("═".repeat(60));
2401
+ lines.push("BATCH SCREENING SUMMARY");
2402
+ lines.push("═".repeat(60));
2403
+ lines.push("");
2404
+ lines.push(`Timestamp: ${result.timestamp}`);
2405
+ lines.push(`Total Screened: ${result.totalScreened}`);
2406
+ lines.push(`Matches: ${result.matchCount}`);
2407
+ lines.push(`Clear: ${result.clearCount}`);
2408
+ lines.push("");
2409
+ const matches = result.results.filter((r) => r.hasMatches);
2410
+ if (matches.length > 0) {
2411
+ lines.push("─".repeat(60));
2412
+ lines.push("ENTITIES WITH MATCHES");
2413
+ lines.push("─".repeat(60));
2414
+ matches.forEach((match) => {
2415
+ const emoji = getRiskEmoji(match.riskLevel);
2416
+ lines.push(`${emoji} ${match.query.name} → ${match.matches[0].name} (${(match.highestScore * 100).toFixed(1)}%)`);
2417
+ });
2418
+ }
2419
+ lines.push("");
2420
+ lines.push("═".repeat(60));
2421
+ return lines.join(`
2422
+ `);
2423
+ }
2424
+
2425
+ // src/cli.ts
2426
+ var program2 = new Command;
2427
+ program2.name("sanctionctl").description("OFAC/Sanctions screening CLI - check individuals and businesses against global sanctions lists").version("0.1.0");
2428
+ program2.command("check <name>").description("Screen a name against sanctions lists").option("-t, --type <type>", "Entity type: person, business, or any", "any").option("-m, --min-match <score>", "Minimum match score (0.0-1.0)", "0.70").option("-l, --limit <n>", "Maximum results to return", "10").option("--json", "Output as JSON").action((name, options) => {
2429
+ const request = {
2430
+ name,
2431
+ type: options.type,
2432
+ minMatch: parseFloat(options.minMatch),
2433
+ limit: parseInt(options.limit)
2434
+ };
2435
+ const result = screenName(request);
2436
+ if (options.json) {
2437
+ console.log(JSON.stringify(result, null, 2));
2438
+ } else {
2439
+ console.log(formatScreeningResult(result));
2440
+ }
2441
+ if (result.riskLevel === "critical" || result.riskLevel === "high") {
2442
+ process.exit(1);
2443
+ }
2444
+ });
2445
+ program2.command("batch <file>").description("Screen multiple names from a file (one per line or JSON array)").option("-t, --type <type>", "Entity type: person, business, or any", "any").option("-m, --min-match <score>", "Minimum match score (0.0-1.0)", "0.70").option("-o, --output <file>", "Output results to file").option("--json", "Output as JSON").option("--csv", "Output as CSV").action((file, options) => {
2446
+ try {
2447
+ const content = readFileSync(file, "utf-8");
2448
+ let names;
2449
+ try {
2450
+ const parsed = JSON.parse(content);
2451
+ names = Array.isArray(parsed) ? parsed : [parsed];
2452
+ } catch {
2453
+ names = content.split(/\r?\n/).filter((line) => line.trim().length > 0);
2454
+ }
2455
+ const requests = names.map((name) => ({
2456
+ name: name.trim(),
2457
+ type: options.type,
2458
+ minMatch: parseFloat(options.minMatch)
2459
+ }));
2460
+ const result = screenBatch(requests);
2461
+ let output;
2462
+ if (options.json) {
2463
+ output = JSON.stringify(result, null, 2);
2464
+ } else if (options.csv) {
2465
+ const lines = ["name,status,risk_level,match_name,match_score,source"];
2466
+ result.results.forEach((r) => {
2467
+ if (r.hasMatches) {
2468
+ const m = r.matches[0];
2469
+ lines.push(`"${r.query.name}",MATCH,${r.riskLevel},"${m.name}",${m.matchScore.toFixed(3)},${m.sourceList}`);
2470
+ } else {
2471
+ lines.push(`"${r.query.name}",CLEAR,clear,,,`);
2472
+ }
2473
+ });
2474
+ output = lines.join(`
2475
+ `);
2476
+ } else {
2477
+ output = formatBatchSummary(result);
2478
+ }
2479
+ if (options.output) {
2480
+ writeFileSync(options.output, output);
2481
+ console.log(`✓ Results written to ${options.output}`);
2482
+ console.log(` Screened: ${result.totalScreened}`);
2483
+ console.log(` Matches: ${result.matchCount}`);
2484
+ console.log(` Clear: ${result.clearCount}`);
2485
+ } else {
2486
+ console.log(output);
2487
+ }
2488
+ if (result.matchCount > 0) {
2489
+ process.exit(1);
2490
+ }
2491
+ } catch (error) {
2492
+ console.error(`✗ Error: ${error.message}`);
2493
+ process.exit(1);
2494
+ }
2495
+ });
2496
+ program2.command("sources").description("List available sanctions sources").action(() => {
2497
+ console.log(`
2498
+ Available Sanctions Sources:`);
2499
+ console.log("─".repeat(60));
2500
+ Object.entries(SOURCE_LISTS).forEach(([code, name]) => {
2501
+ console.log(` ${code.padEnd(20)} ${name}`);
2502
+ });
2503
+ console.log("");
2504
+ });
2505
+ program2.command("stats").description("Show database statistics").option("--json", "Output as JSON").action((options) => {
2506
+ const stats = getDatabaseStats();
2507
+ if (options.json) {
2508
+ console.log(JSON.stringify(stats, null, 2));
2509
+ } else {
2510
+ console.log(`
2511
+ Sanctions Database Statistics:`);
2512
+ console.log("═".repeat(50));
2513
+ console.log(`Total Entries: ${stats.totalEntries}`);
2514
+ console.log(` Persons: ${stats.persons}`);
2515
+ console.log(` Businesses: ${stats.businesses}`);
2516
+ console.log(` Organizations: ${stats.organizations}`);
2517
+ console.log(`
2518
+ By Source:`);
2519
+ Object.entries(stats.bySource).forEach(([source, count]) => {
2520
+ console.log(` ${source}: ${count}`);
2521
+ });
2522
+ console.log(`
2523
+ By Program:`);
2524
+ Object.entries(stats.byProgram).forEach(([program3, count]) => {
2525
+ console.log(` ${program3}: ${count}`);
2526
+ });
2527
+ console.log("");
2528
+ }
2529
+ });
2530
+ program2.command("list").description("List all sanctioned entities").option("-t, --type <type>", "Filter by type: person, business, organization").option("-s, --source <source>", "Filter by source list").option("--json", "Output as JSON").option("-l, --limit <n>", "Limit results", "50").action((options) => {
2531
+ let entries = getAllEntries();
2532
+ if (options.type) {
2533
+ entries = entries.filter((e) => e.entityType === options.type);
2534
+ }
2535
+ if (options.source) {
2536
+ entries = entries.filter((e) => e.sourceList === options.source);
2537
+ }
2538
+ const limit = parseInt(options.limit);
2539
+ entries = entries.slice(0, limit);
2540
+ if (options.json) {
2541
+ console.log(JSON.stringify(entries, null, 2));
2542
+ } else {
2543
+ console.log(`
2544
+ Sanctioned Entities (${entries.length} shown):`);
2545
+ console.log("─".repeat(70));
2546
+ entries.forEach((entry) => {
2547
+ const type = entry.entityType.padEnd(12);
2548
+ const source = entry.sourceList.padEnd(15);
2549
+ console.log(`[${type}] ${source} ${entry.name}`);
2550
+ });
2551
+ console.log("");
2552
+ }
2553
+ });
2554
+ program2.command("explain <name>").description("Get detailed explanation of a screening result (for AI agents)").option("-t, --type <type>", "Entity type: person, business, or any", "any").action((name, options) => {
2555
+ const request = {
2556
+ name,
2557
+ type: options.type,
2558
+ minMatch: 0.5,
2559
+ limit: 5
2560
+ };
2561
+ const result = screenName(request);
2562
+ const explanation = {
2563
+ query: name,
2564
+ screenedAt: result.timestamp,
2565
+ riskAssessment: {
2566
+ level: result.riskLevel,
2567
+ score: result.highestScore,
2568
+ hasMatches: result.hasMatches,
2569
+ interpretation: getInterpretation(result.riskLevel),
2570
+ action: getRecommendedAction(result.riskLevel)
2571
+ },
2572
+ matches: result.matches.map((m) => ({
2573
+ name: m.name,
2574
+ matchConfidence: `${(m.matchScore * 100).toFixed(1)}%`,
2575
+ type: m.entityType,
2576
+ source: {
2577
+ list: m.sourceList,
2578
+ listName: SOURCE_LISTS[m.sourceList] || m.sourceList,
2579
+ id: m.sourceId
2580
+ },
2581
+ programs: m.programs || [],
2582
+ details: m.person || m.business || {},
2583
+ remarks: m.remarks
2584
+ })),
2585
+ thresholds: {
2586
+ critical: `≥${RISK_THRESHOLDS.critical * 100}%`,
2587
+ high: `≥${RISK_THRESHOLDS.high * 100}%`,
2588
+ medium: `≥${RISK_THRESHOLDS.medium * 100}%`,
2589
+ low: `≥${RISK_THRESHOLDS.low * 100}%`
2590
+ }
2591
+ };
2592
+ console.log(JSON.stringify(explanation, null, 2));
2593
+ });
2594
+ program2.command("thresholds").description("Show risk scoring thresholds").action(() => {
2595
+ console.log(`
2596
+ Risk Scoring Thresholds:`);
2597
+ console.log("─".repeat(50));
2598
+ console.log(` \uD83D\uDEA8 CRITICAL: ≥${RISK_THRESHOLDS.critical * 100}% - Near-exact match`);
2599
+ console.log(` ⛔ HIGH: ≥${RISK_THRESHOLDS.high * 100}% - Very likely match`);
2600
+ console.log(` ⚠️ MEDIUM: ≥${RISK_THRESHOLDS.medium * 100}% - Possible match, needs review`);
2601
+ console.log(` ⚡ LOW: ≥${RISK_THRESHOLDS.low * 100}% - Weak match, likely false positive`);
2602
+ console.log(` ✅ CLEAR: <${RISK_THRESHOLDS.low * 100}% - No significant match`);
2603
+ console.log("");
2604
+ });
2605
+ function getInterpretation(level) {
2606
+ switch (level) {
2607
+ case "critical":
2608
+ return "Near-exact match to sanctioned entity. Transaction should be blocked.";
2609
+ case "high":
2610
+ return "High confidence match. Manual review required before proceeding.";
2611
+ case "medium":
2612
+ return "Possible match found. Additional verification needed.";
2613
+ case "low":
2614
+ return "Weak match detected. Likely a false positive but should be documented.";
2615
+ case "clear":
2616
+ return "No significant matches found. Entity appears clear.";
2617
+ default:
2618
+ return "Unknown risk level.";
2619
+ }
2620
+ }
2621
+ function getRecommendedAction(level) {
2622
+ switch (level) {
2623
+ case "critical":
2624
+ return "BLOCK transaction and escalate to compliance officer immediately.";
2625
+ case "high":
2626
+ return "HOLD transaction pending manual review by compliance team.";
2627
+ case "medium":
2628
+ return "FLAG for review. Gather additional KYC information.";
2629
+ case "low":
2630
+ return "DOCUMENT the match. May proceed with enhanced monitoring.";
2631
+ case "clear":
2632
+ return "PROCEED. No action required.";
2633
+ default:
2634
+ return "Unknown action.";
2635
+ }
2636
+ }
2637
+ program2.parse();