-
Notifications
You must be signed in to change notification settings - Fork 343
/
Copy pathprogram.js
811 lines (759 loc) · 25.6 KB
/
program.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
import os from 'os';
import path from 'path';
import { readFileSync } from 'fs';
import camelCase from 'camelcase';
import decamelize from 'decamelize';
import yargs from 'yargs';
import { Parser as yargsParser } from 'yargs/helpers';
import defaultCommands from './cmd/index.js';
import { UsageError } from './errors.js';
import {
createLogger,
consoleStream as defaultLogStream,
} from './util/logger.js';
import { coerceCLICustomPreference } from './firefox/preferences.js';
import { checkForUpdates as defaultUpdateChecker } from './util/updates.js';
import {
discoverConfigFiles as defaultConfigDiscovery,
loadJSConfigFile as defaultLoadJSConfigFile,
applyConfigToArgv as defaultApplyConfigToArgv,
} from './config.js';
const log = createLogger(import.meta.url);
const envPrefix = 'WEB_EXT';
// Default to "development" (the value actually assigned will be interpolated
// by babel-plugin-transform-inline-environment-variables).
const defaultGlobalEnv = process.env.WEBEXT_BUILD_ENV || 'development';
export const AMO_BASE_URL = 'https://addons.mozilla.org/api/v5/';
/*
* The command line program.
*/
export class Program {
absolutePackageDir;
yargs;
commands;
shouldExitProgram;
verboseEnabled;
options;
programArgv;
demandedOptions;
constructor(argv, { absolutePackageDir = process.cwd() } = {}) {
// This allows us to override the process argv which is useful for
// testing.
// NOTE: process.argv.slice(2) removes the path to node and web-ext
// executables from the process.argv array.
argv = argv || process.argv.slice(2);
this.programArgv = argv;
// NOTE: always initialize yargs explicitly with the package dir
// to avoid side-effects due to yargs looking for its configuration
// section from a package.json file stored in an arbitrary directory
// (e.g. in tests yargs would end up loading yargs config from the
// mocha package.json). web-ext package.json doesn't contain any yargs
// section as it is deprecated and we configure yargs using
// yargs.parserConfiguration. See web-ext#469 for rationale.
const yargsInstance = yargs(argv, absolutePackageDir);
this.absolutePackageDir = absolutePackageDir;
this.verboseEnabled = false;
this.shouldExitProgram = true;
this.yargs = yargsInstance;
this.yargs.parserConfiguration({
'boolean-negation': true,
});
this.yargs.strict();
this.yargs.wrap(this.yargs.terminalWidth());
this.commands = {};
this.options = {};
}
command(name, description, executor, commandOptions = {}) {
this.options[camelCase(name)] = commandOptions;
this.yargs.command(name, description, (yargsForCmd) => {
if (!commandOptions) {
return;
}
return (
yargsForCmd
// Make sure the user does not add any extra commands. For example,
// this would be a mistake because lint does not accept arguments:
// web-ext lint ./src/path/to/file.js
.demandCommand(
0,
0,
undefined,
'This command does not take any arguments',
)
.strict()
.exitProcess(this.shouldExitProgram)
// Calling env() will be unnecessary after
// https://github.com/yargs/yargs/issues/486 is fixed
.env(envPrefix)
.options(commandOptions)
);
});
this.commands[name] = executor;
return this;
}
setGlobalOptions(options) {
// This is a convenience for setting global options.
// An option is only global (i.e. available to all sub commands)
// with the `global` flag so this makes sure every option has it.
this.options = { ...this.options, ...options };
Object.keys(options).forEach((key) => {
options[key].global = true;
if (options[key].demandOption === undefined) {
// By default, all options should be "demanded" otherwise
// yargs.strict() will think they are missing when declared.
options[key].demandOption = true;
}
});
this.yargs.options(options);
return this;
}
enableVerboseMode(logStream, version) {
if (this.verboseEnabled) {
return;
}
logStream.makeVerbose();
log.info('Version:', version);
this.verboseEnabled = true;
}
// Retrieve the yargs argv object and apply any further fix needed
// on the output of the yargs options parsing.
getArguments() {
// To support looking up required parameters via config files, we need to
// temporarily disable the requiredArguments validation. Otherwise yargs
// would exit early. Validation is enforced by the checkRequiredArguments()
// method, after reading configuration files.
//
// This is an undocumented internal API of yargs! Unit tests to avoid
// regressions are located at: tests/functional/test.cli.sign.js
//
// Replace hack if possible: https://github.com/mozilla/web-ext/issues/1930
const validationInstance = this.yargs
.getInternalMethods()
.getValidationInstance();
const { requiredArguments } = validationInstance;
// Initialize demandedOptions (which is going to be set to an object with one
// property for each mandatory global options, then the arrow function below
// will receive as its demandedOptions parameter a new one that also includes
// all mandatory options for the sub command selected).
this.demandedOptions = this.yargs.getDemandedOptions();
validationInstance.requiredArguments = (args, demandedOptions) => {
this.demandedOptions = demandedOptions;
};
let argv;
try {
argv = this.yargs.argv;
} catch (err) {
if (
err.name === 'YError' &&
err.message.startsWith('Unknown argument: ')
) {
throw new UsageError(err.message);
}
throw err;
}
validationInstance.requiredArguments = requiredArguments;
// Yargs boolean options doesn't define the no* counterpart
// with negate-boolean on Yargs 15. Define as expected by the
// web-ext execute method.
if (argv.configDiscovery != null) {
argv.noConfigDiscovery = !argv.configDiscovery;
}
if (argv.reload != null) {
argv.noReload = !argv.reload;
}
// Yargs doesn't accept --no-input as a valid option if there isn't a
// --input option defined to be negated, to fix that the --input is
// defined and hidden from the yargs help output and we define here
// the negated argument name that we expect to be set in the parsed
// arguments (and fix https://github.com/mozilla/web-ext/issues/1860).
if (argv.input != null) {
argv.noInput = !argv.input;
}
// Replacement for the "requiresArg: true" parameter until the following bug
// is fixed: https://github.com/yargs/yargs/issues/1098
if (argv.ignoreFiles && !argv.ignoreFiles.length) {
throw new UsageError('Not enough arguments following: ignore-files');
}
if (argv.startUrl && !argv.startUrl.length) {
throw new UsageError('Not enough arguments following: start-url');
}
return argv;
}
// getArguments() disables validation of required parameters, to allow us to
// read parameters from config files first. Before the program continues, it
// must call checkRequiredArguments() to ensure that required parameters are
// defined (in the CLI or in a config file).
checkRequiredArguments(adjustedArgv) {
const validationInstance = this.yargs
.getInternalMethods()
.getValidationInstance();
validationInstance.requiredArguments(adjustedArgv, this.demandedOptions);
}
// Remove WEB_EXT_* environment vars that are not a global cli options
// or an option supported by the current command (See #793).
cleanupProcessEnvConfigs(systemProcess) {
const cmd = yargsParser(this.programArgv)._[0];
const env = systemProcess.env || {};
const toOptionKey = (k) =>
decamelize(camelCase(k.replace(envPrefix, '')), { separator: '-' });
if (cmd) {
Object.keys(env)
.filter((k) => k.startsWith(envPrefix))
.forEach((k) => {
const optKey = toOptionKey(k);
const globalOpt = this.options[optKey];
const cmdOpt = this.options[cmd] && this.options[cmd][optKey];
if (!globalOpt && !cmdOpt) {
log.debug(`Environment ${k} not supported by web-ext ${cmd}`);
delete env[k];
}
});
}
}
async execute({
checkForUpdates = defaultUpdateChecker,
systemProcess = process,
logStream = defaultLogStream,
getVersion = defaultVersionGetter,
applyConfigToArgv = defaultApplyConfigToArgv,
discoverConfigFiles = defaultConfigDiscovery,
loadJSConfigFile = defaultLoadJSConfigFile,
shouldExitProgram = true,
globalEnv = defaultGlobalEnv,
} = {}) {
this.shouldExitProgram = shouldExitProgram;
this.yargs.exitProcess(this.shouldExitProgram);
this.cleanupProcessEnvConfigs(systemProcess);
const argv = this.getArguments();
const cmd = argv._[0];
const version = await getVersion(this.absolutePackageDir);
const runCommand = this.commands[cmd];
if (argv.verbose) {
this.enableVerboseMode(logStream, version);
}
let adjustedArgv = { ...argv, webextVersion: version };
try {
if (cmd === undefined) {
throw new UsageError('No sub-command was specified in the args');
}
if (!runCommand) {
throw new UsageError(`Unknown command: ${cmd}`);
}
if (globalEnv === 'production') {
checkForUpdates({ version });
}
const configFiles = [];
if (argv.configDiscovery) {
log.debug(
'Discovering config files. ' + 'Set --no-config-discovery to disable',
);
const discoveredConfigs = await discoverConfigFiles();
configFiles.push(...discoveredConfigs);
} else {
log.debug('Not discovering config files');
}
if (argv.config) {
configFiles.push(path.resolve(argv.config));
}
if (configFiles.length) {
const niceFileList = configFiles
.map((f) => f.replace(process.cwd(), '.'))
.map((f) => f.replace(os.homedir(), '~'))
.join(', ');
log.debug(
'Applying config file' +
`${configFiles.length !== 1 ? 's' : ''}: ` +
`${niceFileList}`,
);
}
for (const configFileName of configFiles) {
const configObject = await loadJSConfigFile(configFileName);
adjustedArgv = applyConfigToArgv({
argv: adjustedArgv,
argvFromCLI: argv,
configFileName,
configObject,
options: this.options,
});
}
if (adjustedArgv.verbose) {
// Ensure that the verbose is enabled when specified in a config file.
this.enableVerboseMode(logStream, version);
}
this.checkRequiredArguments(adjustedArgv);
await runCommand(adjustedArgv, { shouldExitProgram });
} catch (error) {
if (!(error instanceof UsageError) || adjustedArgv.verbose) {
log.error(`\n${error.stack}\n`);
} else {
log.error(`\n${String(error)}\n`);
}
if (error.code) {
log.error(`Error code: ${error.code}\n`);
}
log.debug(`Command executed: ${cmd}`);
if (this.shouldExitProgram) {
systemProcess.exit(1);
} else {
throw error;
}
}
}
}
//A definition of type of argument for defaultVersionGetter
export async function defaultVersionGetter(
absolutePackageDir,
{ globalEnv = defaultGlobalEnv } = {},
) {
if (globalEnv === 'production') {
log.debug('Getting the version from package.json');
const packageData = readFileSync(
path.join(absolutePackageDir, 'package.json'),
);
return JSON.parse(packageData).version;
} else {
log.debug('Getting version from the git revision');
// This branch is only reached during development.
// git-rev-sync is in devDependencies, and lazily imported using require.
// This also avoids logspam from https://github.com/mozilla/web-ext/issues/1916
// eslint-disable-next-line import/no-extraneous-dependencies
const git = await import('git-rev-sync');
return `${git.branch(absolutePackageDir)}-${git.long(absolutePackageDir)}`;
}
}
export function throwUsageErrorIfArray(errorMessage) {
return (value) => {
if (Array.isArray(value)) {
throw new UsageError(errorMessage);
}
return value;
};
}
export async function main(
absolutePackageDir,
{
getVersion = defaultVersionGetter,
commands = defaultCommands,
argv,
runOptions = {},
} = {},
) {
const program = new Program(argv, { absolutePackageDir });
const version = await getVersion(absolutePackageDir);
// yargs uses magic camel case expansion to expose options on the
// final argv object. For example, the 'artifacts-dir' option is alternatively
// available as argv.artifactsDir.
program.yargs
.usage(
`Usage: $0 [options] command
Option values can also be set by declaring an environment variable prefixed
with $${envPrefix}_. For example: $${envPrefix}_SOURCE_DIR=/path is the same as
--source-dir=/path.
To view specific help for any given command, add the command name.
Example: $0 --help run.
`,
)
.help('help')
.alias('h', 'help')
.env(envPrefix)
.version(version)
.demandCommand(1, 'You must specify a command')
.strict()
.recommendCommands();
program.setGlobalOptions({
'source-dir': {
alias: 's',
describe: 'Web extension source directory.',
default: process.cwd(),
requiresArg: true,
type: 'string',
coerce: (arg) => arg ?? undefined,
},
'artifacts-dir': {
alias: 'a',
describe: 'Directory where artifacts will be saved.',
default: path.join(process.cwd(), 'web-ext-artifacts'),
normalize: true,
requiresArg: true,
type: 'string',
},
verbose: {
alias: 'v',
describe: 'Show verbose output',
type: 'boolean',
demandOption: false,
},
'ignore-files': {
alias: 'i',
describe:
'A list of glob patterns to define which files should be ' +
'ignored. (Example: --ignore-files=path/to/first.js ' +
'path/to/second.js "**/*.log")',
demandOption: false,
// The following option prevents yargs>=11 from parsing multiple values,
// so the minimum value requirement is enforced in execute instead.
// Upstream bug: https://github.com/yargs/yargs/issues/1098
// requiresArg: true,
type: 'array',
},
'no-input': {
describe: 'Disable all features that require standard input',
type: 'boolean',
demandOption: false,
},
input: {
// This option is defined to make yargs to accept the --no-input
// defined above, but we hide it from the yargs help output.
hidden: true,
type: 'boolean',
demandOption: false,
},
config: {
alias: 'c',
describe: 'Path to a CommonJS config file to set ' + 'option defaults',
default: undefined,
demandOption: false,
requiresArg: true,
type: 'string',
},
'config-discovery': {
describe:
'Discover config files in home directory and ' +
'working directory. Disable with --no-config-discovery.',
demandOption: false,
default: true,
type: 'boolean',
},
});
program
.command(
'build',
'Create an extension package from source',
commands.build,
{
'as-needed': {
describe: 'Watch for file changes and re-build as needed',
type: 'boolean',
},
filename: {
alias: 'n',
describe: 'Name of the created extension package file.',
default: undefined,
normalize: false,
demandOption: false,
requiresArg: true,
type: 'string',
coerce: (arg) =>
arg == null
? undefined
: throwUsageErrorIfArray(
'Multiple --filename/-n option are not allowed',
)(arg),
},
'overwrite-dest': {
alias: 'o',
describe: 'Overwrite destination package if it exists.',
type: 'boolean',
},
},
)
.command(
'dump-config',
'Run config discovery and dump the resulting config data as JSON',
commands.dumpConfig,
{},
)
.command(
'sign',
'Sign the extension so it can be installed in Firefox',
commands.sign,
{
'amo-base-url': {
describe: 'Submission API URL prefix',
default: AMO_BASE_URL,
demandOption: true,
type: 'string',
},
'api-key': {
describe: 'API key (JWT issuer) from addons.mozilla.org',
demandOption: true,
type: 'string',
},
'api-secret': {
describe: 'API secret (JWT secret) from addons.mozilla.org',
demandOption: true,
type: 'string',
},
'api-proxy': {
describe:
'Use a proxy to access the signing API. ' +
'Example: https://yourproxy:6000 ',
demandOption: false,
type: 'string',
},
timeout: {
describe: 'Number of milliseconds to wait before giving up',
type: 'number',
},
'approval-timeout': {
describe:
'Number of milliseconds to wait for approval before giving up. ' +
'Set to 0 to disable waiting for approval. Fallback to `timeout` if not set.',
type: 'number',
},
channel: {
describe:
"The channel for which to sign the addon. Either 'listed' or 'unlisted'.",
demandOption: true,
type: 'string',
},
'amo-metadata': {
describe:
'Path to a JSON file containing an object with metadata to be passed to the API. ' +
'See https://addons-server.readthedocs.io/en/latest/topics/api/addons.html for details.',
type: 'string',
},
'upload-source-code': {
describe:
'Path to an archive file containing human readable source code of this submission, ' +
'if the code in --source-dir has been processed to make it unreadable. ' +
'See https://extensionworkshop.com/documentation/publish/source-code-submission/ for ' +
'details.',
type: 'string',
},
},
)
.command('run', 'Run the extension', commands.run, {
target: {
alias: 't',
describe:
'The extensions runners to enable. Specify this option ' +
'multiple times to run against multiple targets.',
default: 'firefox-desktop',
demandOption: false,
type: 'array',
choices: ['firefox-desktop', 'firefox-android', 'chromium'],
},
firefox: {
alias: ['f', 'firefox-binary'],
describe:
'Path or alias to a Firefox executable such as firefox-bin ' +
'or firefox.exe. ' +
'If not specified, the default Firefox will be used. ' +
'You can specify the following aliases in lieu of a path: ' +
'firefox, beta, nightly, firefoxdeveloperedition (or deved). ' +
'For Flatpak, use `flatpak:org.mozilla.firefox` where ' +
'`org.mozilla.firefox` is the application ID.',
demandOption: false,
type: 'string',
},
'firefox-profile': {
alias: 'p',
describe:
'Run Firefox using a copy of this profile. The profile ' +
'can be specified as a directory or a name, such as one ' +
'you would see in the Profile Manager. If not specified, ' +
'a new temporary profile will be created.',
demandOption: false,
type: 'string',
},
'chromium-binary': {
describe:
'Path or alias to a Chromium executable such as ' +
'google-chrome, google-chrome.exe or opera.exe etc. ' +
'If not specified, the default Google Chrome will be used.',
demandOption: false,
type: 'string',
},
'chromium-profile': {
describe: 'Path to a custom Chromium profile',
demandOption: false,
type: 'string',
},
'profile-create-if-missing': {
describe: 'Create the profile directory if it does not already exist',
demandOption: false,
type: 'boolean',
},
'keep-profile-changes': {
describe:
'Run Firefox directly in custom profile. Any changes to ' +
'the profile will be saved.',
demandOption: false,
type: 'boolean',
},
reload: {
describe:
'Reload the extension when source files change.' +
'Disable with --no-reload.',
demandOption: false,
default: true,
type: 'boolean',
},
'watch-file': {
alias: ['watch-files'],
describe:
'Reload the extension only when the contents of this' +
' file changes. This is useful if you use a custom' +
' build process for your extension',
demandOption: false,
type: 'array',
},
'watch-ignored': {
describe:
'Paths and globs patterns that should not be ' +
'watched for changes. This is useful if you want ' +
'to explicitly prevent web-ext from watching part ' +
'of the extension directory tree, ' +
'e.g. the node_modules folder.',
demandOption: false,
type: 'array',
},
'pre-install': {
describe:
'Pre-install the extension into the profile before ' +
'startup. This is only needed to support older versions ' +
'of Firefox.',
demandOption: false,
type: 'boolean',
},
pref: {
describe:
'Launch firefox with a custom preference ' +
'(example: --pref=general.useragent.locale=fr-FR). ' +
'You can repeat this option to set more than one ' +
'preference.',
demandOption: false,
requiresArg: true,
type: 'array',
coerce: (arg) =>
arg != null ? coerceCLICustomPreference(arg) : undefined,
},
'start-url': {
alias: ['u', 'url'],
describe: 'Launch firefox at specified page',
demandOption: false,
type: 'array',
},
devtools: {
describe:
'Open the DevTools for the installed add-on ' +
'(Firefox 106 and later)',
demandOption: false,
type: 'boolean',
},
'browser-console': {
alias: ['bc'],
describe: 'Open the DevTools Browser Console.',
demandOption: false,
type: 'boolean',
},
args: {
alias: ['arg'],
describe: 'Additional CLI options passed to the Browser binary',
demandOption: false,
type: 'array',
},
// Firefox for Android CLI options.
'adb-bin': {
describe: 'Specify a custom path to the adb binary',
demandOption: false,
type: 'string',
requiresArg: true,
},
'adb-host': {
describe: 'Connect to adb on the specified host',
demandOption: false,
type: 'string',
requiresArg: true,
},
'adb-port': {
describe: 'Connect to adb on the specified port',
demandOption: false,
type: 'string',
requiresArg: true,
},
'adb-device': {
alias: ['android-device'],
describe: 'Connect to the specified adb device name',
demandOption: false,
type: 'string',
requiresArg: true,
},
'adb-discovery-timeout': {
describe: 'Number of milliseconds to wait before giving up',
demandOption: false,
type: 'number',
requiresArg: true,
},
'adb-remove-old-artifacts': {
describe: 'Remove old artifacts directories from the adb device',
demandOption: false,
type: 'boolean',
},
'firefox-apk': {
describe:
'Run a specific Firefox for Android APK. ' +
'Example: org.mozilla.fennec_aurora',
demandOption: false,
type: 'string',
requiresArg: true,
},
'firefox-apk-component': {
describe:
'Run a specific Android Component (defaults to <firefox-apk>/.App)',
demandOption: false,
type: 'string',
requiresArg: true,
},
})
.command('lint', 'Validate the extension source', commands.lint, {
output: {
alias: 'o',
describe: 'The type of output to generate',
type: 'string',
default: 'text',
choices: ['json', 'text'],
},
metadata: {
describe: 'Output only metadata as JSON',
type: 'boolean',
default: false,
},
'warnings-as-errors': {
describe: 'Treat warnings as errors by exiting non-zero for warnings',
alias: 'w',
type: 'boolean',
default: false,
},
pretty: {
describe: 'Prettify JSON output',
type: 'boolean',
default: false,
},
privileged: {
describe: 'Treat your extension as a privileged extension',
type: 'boolean',
default: false,
},
'self-hosted': {
describe:
'Your extension will be self-hosted. This disables messages ' +
'related to hosting on addons.mozilla.org.',
type: 'boolean',
default: false,
},
boring: {
describe: 'Disables colorful shell output',
type: 'boolean',
default: false,
},
})
.command(
'docs',
'Open the web-ext documentation in a browser',
commands.docs,
{},
);
return program.execute({ getVersion, ...runOptions });
}