加入了node_modules
添加了新的功能项
This commit is contained in:
20
node_modules/execa/lib/arguments/command.js
generated
vendored
Normal file
20
node_modules/execa/lib/arguments/command.js
generated
vendored
Normal file
@@ -0,0 +1,20 @@
|
||||
import {logCommand} from '../verbose/start.js';
|
||||
import {getVerboseInfo} from '../verbose/info.js';
|
||||
import {getStartTime} from '../return/duration.js';
|
||||
import {joinCommand} from './escape.js';
|
||||
import {normalizeFdSpecificOption} from './specific.js';
|
||||
|
||||
// Compute `result.command`, `result.escapedCommand` and `verbose`-related information
|
||||
export const handleCommand = (filePath, rawArguments, rawOptions) => {
|
||||
const startTime = getStartTime();
|
||||
const {command, escapedCommand} = joinCommand(filePath, rawArguments);
|
||||
const verbose = normalizeFdSpecificOption(rawOptions, 'verbose');
|
||||
const verboseInfo = getVerboseInfo(verbose, escapedCommand, {...rawOptions});
|
||||
logCommand(escapedCommand, verboseInfo);
|
||||
return {
|
||||
command,
|
||||
escapedCommand,
|
||||
startTime,
|
||||
verboseInfo,
|
||||
};
|
||||
};
|
||||
39
node_modules/execa/lib/arguments/cwd.js
generated
vendored
Normal file
39
node_modules/execa/lib/arguments/cwd.js
generated
vendored
Normal file
@@ -0,0 +1,39 @@
|
||||
import {statSync} from 'node:fs';
|
||||
import path from 'node:path';
|
||||
import process from 'node:process';
|
||||
import {safeNormalizeFileUrl} from './file-url.js';
|
||||
|
||||
// Normalize `cwd` option
|
||||
export const normalizeCwd = (cwd = getDefaultCwd()) => {
|
||||
const cwdString = safeNormalizeFileUrl(cwd, 'The "cwd" option');
|
||||
return path.resolve(cwdString);
|
||||
};
|
||||
|
||||
const getDefaultCwd = () => {
|
||||
try {
|
||||
return process.cwd();
|
||||
} catch (error) {
|
||||
error.message = `The current directory does not exist.\n${error.message}`;
|
||||
throw error;
|
||||
}
|
||||
};
|
||||
|
||||
// When `cwd` option has an invalid value, provide with a better error message
|
||||
export const fixCwdError = (originalMessage, cwd) => {
|
||||
if (cwd === getDefaultCwd()) {
|
||||
return originalMessage;
|
||||
}
|
||||
|
||||
let cwdStat;
|
||||
try {
|
||||
cwdStat = statSync(cwd);
|
||||
} catch (error) {
|
||||
return `The "cwd" option is invalid: ${cwd}.\n${error.message}\n${originalMessage}`;
|
||||
}
|
||||
|
||||
if (!cwdStat.isDirectory()) {
|
||||
return `The "cwd" option is not a directory: ${cwd}.\n${originalMessage}`;
|
||||
}
|
||||
|
||||
return originalMessage;
|
||||
};
|
||||
50
node_modules/execa/lib/arguments/encoding-option.js
generated
vendored
Normal file
50
node_modules/execa/lib/arguments/encoding-option.js
generated
vendored
Normal file
@@ -0,0 +1,50 @@
|
||||
// Validate `encoding` option
|
||||
export const validateEncoding = ({encoding}) => {
|
||||
if (ENCODINGS.has(encoding)) {
|
||||
return;
|
||||
}
|
||||
|
||||
const correctEncoding = getCorrectEncoding(encoding);
|
||||
if (correctEncoding !== undefined) {
|
||||
throw new TypeError(`Invalid option \`encoding: ${serializeEncoding(encoding)}\`.
|
||||
Please rename it to ${serializeEncoding(correctEncoding)}.`);
|
||||
}
|
||||
|
||||
const correctEncodings = [...ENCODINGS].map(correctEncoding => serializeEncoding(correctEncoding)).join(', ');
|
||||
throw new TypeError(`Invalid option \`encoding: ${serializeEncoding(encoding)}\`.
|
||||
Please rename it to one of: ${correctEncodings}.`);
|
||||
};
|
||||
|
||||
const TEXT_ENCODINGS = new Set(['utf8', 'utf16le']);
|
||||
export const BINARY_ENCODINGS = new Set(['buffer', 'hex', 'base64', 'base64url', 'latin1', 'ascii']);
|
||||
const ENCODINGS = new Set([...TEXT_ENCODINGS, ...BINARY_ENCODINGS]);
|
||||
|
||||
const getCorrectEncoding = encoding => {
|
||||
if (encoding === null) {
|
||||
return 'buffer';
|
||||
}
|
||||
|
||||
if (typeof encoding !== 'string') {
|
||||
return;
|
||||
}
|
||||
|
||||
const lowerEncoding = encoding.toLowerCase();
|
||||
if (lowerEncoding in ENCODING_ALIASES) {
|
||||
return ENCODING_ALIASES[lowerEncoding];
|
||||
}
|
||||
|
||||
if (ENCODINGS.has(lowerEncoding)) {
|
||||
return lowerEncoding;
|
||||
}
|
||||
};
|
||||
|
||||
const ENCODING_ALIASES = {
|
||||
// eslint-disable-next-line unicorn/text-encoding-identifier-case
|
||||
'utf-8': 'utf8',
|
||||
'utf-16le': 'utf16le',
|
||||
'ucs-2': 'utf16le',
|
||||
ucs2: 'utf16le',
|
||||
binary: 'latin1',
|
||||
};
|
||||
|
||||
const serializeEncoding = encoding => typeof encoding === 'string' ? `"${encoding}"` : String(encoding);
|
||||
88
node_modules/execa/lib/arguments/escape.js
generated
vendored
Normal file
88
node_modules/execa/lib/arguments/escape.js
generated
vendored
Normal file
@@ -0,0 +1,88 @@
|
||||
import {platform} from 'node:process';
|
||||
import {stripVTControlCharacters} from 'node:util';
|
||||
|
||||
// Compute `result.command` and `result.escapedCommand`
|
||||
export const joinCommand = (filePath, rawArguments) => {
|
||||
const fileAndArguments = [filePath, ...rawArguments];
|
||||
const command = fileAndArguments.join(' ');
|
||||
const escapedCommand = fileAndArguments
|
||||
.map(fileAndArgument => quoteString(escapeControlCharacters(fileAndArgument)))
|
||||
.join(' ');
|
||||
return {command, escapedCommand};
|
||||
};
|
||||
|
||||
// Remove ANSI sequences and escape control characters and newlines
|
||||
export const escapeLines = lines => stripVTControlCharacters(lines)
|
||||
.split('\n')
|
||||
.map(line => escapeControlCharacters(line))
|
||||
.join('\n');
|
||||
|
||||
const escapeControlCharacters = line => line.replaceAll(SPECIAL_CHAR_REGEXP, character => escapeControlCharacter(character));
|
||||
|
||||
const escapeControlCharacter = character => {
|
||||
const commonEscape = COMMON_ESCAPES[character];
|
||||
if (commonEscape !== undefined) {
|
||||
return commonEscape;
|
||||
}
|
||||
|
||||
const codepoint = character.codePointAt(0);
|
||||
const codepointHex = codepoint.toString(16);
|
||||
return codepoint <= ASTRAL_START
|
||||
? `\\u${codepointHex.padStart(4, '0')}`
|
||||
: `\\U${codepointHex}`;
|
||||
};
|
||||
|
||||
// Characters that would create issues when printed are escaped using the \u or \U notation.
|
||||
// Those include control characters and newlines.
|
||||
// The \u and \U notation is Bash specific, but there is no way to do this in a shell-agnostic way.
|
||||
// Some shells do not even have a way to print those characters in an escaped fashion.
|
||||
// Therefore, we prioritize printing those safely, instead of allowing those to be copy-pasted.
|
||||
// List of Unicode character categories: https://www.fileformat.info/info/unicode/category/index.htm
|
||||
const getSpecialCharRegExp = () => {
|
||||
try {
|
||||
// This throws when using Node.js without ICU support.
|
||||
// When using a RegExp literal, this would throw at parsing-time, instead of runtime.
|
||||
// eslint-disable-next-line prefer-regex-literals
|
||||
return new RegExp('\\p{Separator}|\\p{Other}', 'gu');
|
||||
} catch {
|
||||
// Similar to the above RegExp, but works even when Node.js has been built without ICU support.
|
||||
// Unlike the above RegExp, it only covers whitespaces and C0/C1 control characters.
|
||||
// It does not cover some edge cases, such as Unicode reserved characters.
|
||||
// See https://github.com/sindresorhus/execa/issues/1143
|
||||
// eslint-disable-next-line no-control-regex
|
||||
return /[\s\u0000-\u001F\u007F-\u009F\u00AD]/g;
|
||||
}
|
||||
};
|
||||
|
||||
const SPECIAL_CHAR_REGEXP = getSpecialCharRegExp();
|
||||
|
||||
// Accepted by $'...' in Bash.
|
||||
// Exclude \a \e \v which are accepted in Bash but not in JavaScript (except \v) and JSON.
|
||||
const COMMON_ESCAPES = {
|
||||
' ': ' ',
|
||||
'\b': '\\b',
|
||||
'\f': '\\f',
|
||||
'\n': '\\n',
|
||||
'\r': '\\r',
|
||||
'\t': '\\t',
|
||||
};
|
||||
|
||||
// Up until that codepoint, \u notation can be used instead of \U
|
||||
const ASTRAL_START = 65_535;
|
||||
|
||||
// Some characters are shell-specific, i.e. need to be escaped when the command is copy-pasted then run.
|
||||
// Escaping is shell-specific. We cannot know which shell is used: `process.platform` detection is not enough.
|
||||
// For example, Windows users could be using `cmd.exe`, Powershell or Bash for Windows which all use different escaping.
|
||||
// We use '...' on Unix, which is POSIX shell compliant and escape all characters but ' so this is fairly safe.
|
||||
// On Windows, we assume cmd.exe is used and escape with "...", which also works with Powershell.
|
||||
const quoteString = escapedArgument => {
|
||||
if (NO_ESCAPE_REGEXP.test(escapedArgument)) {
|
||||
return escapedArgument;
|
||||
}
|
||||
|
||||
return platform === 'win32'
|
||||
? `"${escapedArgument.replaceAll('"', '""')}"`
|
||||
: `'${escapedArgument.replaceAll('\'', '\'\\\'\'')}'`;
|
||||
};
|
||||
|
||||
const NO_ESCAPE_REGEXP = /^[\w./-]+$/;
|
||||
108
node_modules/execa/lib/arguments/fd-options.js
generated
vendored
Normal file
108
node_modules/execa/lib/arguments/fd-options.js
generated
vendored
Normal file
@@ -0,0 +1,108 @@
|
||||
import {parseFd} from './specific.js';
|
||||
|
||||
// Retrieve stream targeted by the `to` option
|
||||
export const getToStream = (destination, to = 'stdin') => {
|
||||
const isWritable = true;
|
||||
const {options, fileDescriptors} = SUBPROCESS_OPTIONS.get(destination);
|
||||
const fdNumber = getFdNumber(fileDescriptors, to, isWritable);
|
||||
const destinationStream = destination.stdio[fdNumber];
|
||||
|
||||
if (destinationStream === null) {
|
||||
throw new TypeError(getInvalidStdioOptionMessage(fdNumber, to, options, isWritable));
|
||||
}
|
||||
|
||||
return destinationStream;
|
||||
};
|
||||
|
||||
// Retrieve stream targeted by the `from` option
|
||||
export const getFromStream = (source, from = 'stdout') => {
|
||||
const isWritable = false;
|
||||
const {options, fileDescriptors} = SUBPROCESS_OPTIONS.get(source);
|
||||
const fdNumber = getFdNumber(fileDescriptors, from, isWritable);
|
||||
const sourceStream = fdNumber === 'all' ? source.all : source.stdio[fdNumber];
|
||||
|
||||
if (sourceStream === null || sourceStream === undefined) {
|
||||
throw new TypeError(getInvalidStdioOptionMessage(fdNumber, from, options, isWritable));
|
||||
}
|
||||
|
||||
return sourceStream;
|
||||
};
|
||||
|
||||
// Keeps track of the options passed to each Execa call
|
||||
export const SUBPROCESS_OPTIONS = new WeakMap();
|
||||
|
||||
const getFdNumber = (fileDescriptors, fdName, isWritable) => {
|
||||
const fdNumber = parseFdNumber(fdName, isWritable);
|
||||
validateFdNumber(fdNumber, fdName, isWritable, fileDescriptors);
|
||||
return fdNumber;
|
||||
};
|
||||
|
||||
const parseFdNumber = (fdName, isWritable) => {
|
||||
const fdNumber = parseFd(fdName);
|
||||
if (fdNumber !== undefined) {
|
||||
return fdNumber;
|
||||
}
|
||||
|
||||
const {validOptions, defaultValue} = isWritable
|
||||
? {validOptions: '"stdin"', defaultValue: 'stdin'}
|
||||
: {validOptions: '"stdout", "stderr", "all"', defaultValue: 'stdout'};
|
||||
throw new TypeError(`"${getOptionName(isWritable)}" must not be "${fdName}".
|
||||
It must be ${validOptions} or "fd3", "fd4" (and so on).
|
||||
It is optional and defaults to "${defaultValue}".`);
|
||||
};
|
||||
|
||||
const validateFdNumber = (fdNumber, fdName, isWritable, fileDescriptors) => {
|
||||
const fileDescriptor = fileDescriptors[getUsedDescriptor(fdNumber)];
|
||||
if (fileDescriptor === undefined) {
|
||||
throw new TypeError(`"${getOptionName(isWritable)}" must not be ${fdName}. That file descriptor does not exist.
|
||||
Please set the "stdio" option to ensure that file descriptor exists.`);
|
||||
}
|
||||
|
||||
if (fileDescriptor.direction === 'input' && !isWritable) {
|
||||
throw new TypeError(`"${getOptionName(isWritable)}" must not be ${fdName}. It must be a readable stream, not writable.`);
|
||||
}
|
||||
|
||||
if (fileDescriptor.direction !== 'input' && isWritable) {
|
||||
throw new TypeError(`"${getOptionName(isWritable)}" must not be ${fdName}. It must be a writable stream, not readable.`);
|
||||
}
|
||||
};
|
||||
|
||||
const getInvalidStdioOptionMessage = (fdNumber, fdName, options, isWritable) => {
|
||||
if (fdNumber === 'all' && !options.all) {
|
||||
return 'The "all" option must be true to use "from: \'all\'".';
|
||||
}
|
||||
|
||||
const {optionName, optionValue} = getInvalidStdioOption(fdNumber, options);
|
||||
return `The "${optionName}: ${serializeOptionValue(optionValue)}" option is incompatible with using "${getOptionName(isWritable)}: ${serializeOptionValue(fdName)}".
|
||||
Please set this option with "pipe" instead.`;
|
||||
};
|
||||
|
||||
const getInvalidStdioOption = (fdNumber, {stdin, stdout, stderr, stdio}) => {
|
||||
const usedDescriptor = getUsedDescriptor(fdNumber);
|
||||
|
||||
if (usedDescriptor === 0 && stdin !== undefined) {
|
||||
return {optionName: 'stdin', optionValue: stdin};
|
||||
}
|
||||
|
||||
if (usedDescriptor === 1 && stdout !== undefined) {
|
||||
return {optionName: 'stdout', optionValue: stdout};
|
||||
}
|
||||
|
||||
if (usedDescriptor === 2 && stderr !== undefined) {
|
||||
return {optionName: 'stderr', optionValue: stderr};
|
||||
}
|
||||
|
||||
return {optionName: `stdio[${usedDescriptor}]`, optionValue: stdio[usedDescriptor]};
|
||||
};
|
||||
|
||||
const getUsedDescriptor = fdNumber => fdNumber === 'all' ? 1 : fdNumber;
|
||||
|
||||
const getOptionName = isWritable => isWritable ? 'to' : 'from';
|
||||
|
||||
export const serializeOptionValue = value => {
|
||||
if (typeof value === 'string') {
|
||||
return `'${value}'`;
|
||||
}
|
||||
|
||||
return typeof value === 'number' ? `${value}` : 'Stream';
|
||||
};
|
||||
25
node_modules/execa/lib/arguments/file-url.js
generated
vendored
Normal file
25
node_modules/execa/lib/arguments/file-url.js
generated
vendored
Normal file
@@ -0,0 +1,25 @@
|
||||
import {fileURLToPath} from 'node:url';
|
||||
|
||||
// Allow some arguments/options to be either a file path string or a file URL
|
||||
export const safeNormalizeFileUrl = (file, name) => {
|
||||
const fileString = normalizeFileUrl(normalizeDenoExecPath(file));
|
||||
|
||||
if (typeof fileString !== 'string') {
|
||||
throw new TypeError(`${name} must be a string or a file URL: ${fileString}.`);
|
||||
}
|
||||
|
||||
return fileString;
|
||||
};
|
||||
|
||||
// In Deno node:process execPath is a special object, not just a string:
|
||||
// https://github.com/denoland/deno/blob/f460188e583f00144000aa0d8ade08218d47c3c1/ext/node/polyfills/process.ts#L344
|
||||
const normalizeDenoExecPath = file => isDenoExecPath(file)
|
||||
? file.toString()
|
||||
: file;
|
||||
|
||||
export const isDenoExecPath = file => typeof file !== 'string'
|
||||
&& file
|
||||
&& Object.getPrototypeOf(file) === String.prototype;
|
||||
|
||||
// Same but also allows other values, e.g. `boolean` for the `shell` option
|
||||
export const normalizeFileUrl = file => file instanceof URL ? fileURLToPath(file) : file;
|
||||
96
node_modules/execa/lib/arguments/options.js
generated
vendored
Normal file
96
node_modules/execa/lib/arguments/options.js
generated
vendored
Normal file
@@ -0,0 +1,96 @@
|
||||
import path from 'node:path';
|
||||
import process from 'node:process';
|
||||
import crossSpawn from 'cross-spawn';
|
||||
import {npmRunPathEnv} from 'npm-run-path';
|
||||
import {normalizeForceKillAfterDelay} from '../terminate/kill.js';
|
||||
import {normalizeKillSignal} from '../terminate/signal.js';
|
||||
import {validateCancelSignal} from '../terminate/cancel.js';
|
||||
import {validateGracefulCancel} from '../terminate/graceful.js';
|
||||
import {validateTimeout} from '../terminate/timeout.js';
|
||||
import {handleNodeOption} from '../methods/node.js';
|
||||
import {validateIpcInputOption} from '../ipc/ipc-input.js';
|
||||
import {validateEncoding, BINARY_ENCODINGS} from './encoding-option.js';
|
||||
import {normalizeCwd} from './cwd.js';
|
||||
import {normalizeFileUrl} from './file-url.js';
|
||||
import {normalizeFdSpecificOptions} from './specific.js';
|
||||
|
||||
// Normalize the options object, and sometimes also the file paths and arguments.
|
||||
// Applies default values, validate allowed options, normalize them.
|
||||
export const normalizeOptions = (filePath, rawArguments, rawOptions) => {
|
||||
rawOptions.cwd = normalizeCwd(rawOptions.cwd);
|
||||
const [processedFile, processedArguments, processedOptions] = handleNodeOption(filePath, rawArguments, rawOptions);
|
||||
|
||||
const {command: file, args: commandArguments, options: initialOptions} = crossSpawn._parse(processedFile, processedArguments, processedOptions);
|
||||
|
||||
const fdOptions = normalizeFdSpecificOptions(initialOptions);
|
||||
const options = addDefaultOptions(fdOptions);
|
||||
validateTimeout(options);
|
||||
validateEncoding(options);
|
||||
validateIpcInputOption(options);
|
||||
validateCancelSignal(options);
|
||||
validateGracefulCancel(options);
|
||||
options.shell = normalizeFileUrl(options.shell);
|
||||
options.env = getEnv(options);
|
||||
options.killSignal = normalizeKillSignal(options.killSignal);
|
||||
options.forceKillAfterDelay = normalizeForceKillAfterDelay(options.forceKillAfterDelay);
|
||||
options.lines = options.lines.map((lines, fdNumber) => lines && !BINARY_ENCODINGS.has(options.encoding) && options.buffer[fdNumber]);
|
||||
|
||||
if (process.platform === 'win32' && path.basename(file, '.exe') === 'cmd') {
|
||||
// #116
|
||||
commandArguments.unshift('/q');
|
||||
}
|
||||
|
||||
return {file, commandArguments, options};
|
||||
};
|
||||
|
||||
const addDefaultOptions = ({
|
||||
extendEnv = true,
|
||||
preferLocal = false,
|
||||
cwd,
|
||||
localDir: localDirectory = cwd,
|
||||
encoding = 'utf8',
|
||||
reject = true,
|
||||
cleanup = true,
|
||||
all = false,
|
||||
windowsHide = true,
|
||||
killSignal = 'SIGTERM',
|
||||
forceKillAfterDelay = true,
|
||||
gracefulCancel = false,
|
||||
ipcInput,
|
||||
ipc = ipcInput !== undefined || gracefulCancel,
|
||||
serialization = 'advanced',
|
||||
...options
|
||||
}) => ({
|
||||
...options,
|
||||
extendEnv,
|
||||
preferLocal,
|
||||
cwd,
|
||||
localDirectory,
|
||||
encoding,
|
||||
reject,
|
||||
cleanup,
|
||||
all,
|
||||
windowsHide,
|
||||
killSignal,
|
||||
forceKillAfterDelay,
|
||||
gracefulCancel,
|
||||
ipcInput,
|
||||
ipc,
|
||||
serialization,
|
||||
});
|
||||
|
||||
const getEnv = ({env: envOption, extendEnv, preferLocal, node, localDirectory, nodePath}) => {
|
||||
const env = extendEnv ? {...process.env, ...envOption} : envOption;
|
||||
|
||||
if (preferLocal || node) {
|
||||
return npmRunPathEnv({
|
||||
env,
|
||||
cwd: localDirectory,
|
||||
execPath: nodePath,
|
||||
preferLocal,
|
||||
addExecPath: node,
|
||||
});
|
||||
}
|
||||
|
||||
return env;
|
||||
};
|
||||
111
node_modules/execa/lib/arguments/specific.js
generated
vendored
Normal file
111
node_modules/execa/lib/arguments/specific.js
generated
vendored
Normal file
@@ -0,0 +1,111 @@
|
||||
import {debuglog} from 'node:util';
|
||||
import isPlainObject from 'is-plain-obj';
|
||||
import {STANDARD_STREAMS_ALIASES} from '../utils/standard-stream.js';
|
||||
|
||||
// Some options can have different values for `stdout`/`stderr`/`fd3`.
|
||||
// This normalizes those to array of values.
|
||||
// For example, `{verbose: {stdout: 'none', stderr: 'full'}}` becomes `{verbose: ['none', 'none', 'full']}`
|
||||
export const normalizeFdSpecificOptions = options => {
|
||||
const optionsCopy = {...options};
|
||||
|
||||
for (const optionName of FD_SPECIFIC_OPTIONS) {
|
||||
optionsCopy[optionName] = normalizeFdSpecificOption(options, optionName);
|
||||
}
|
||||
|
||||
return optionsCopy;
|
||||
};
|
||||
|
||||
export const normalizeFdSpecificOption = (options, optionName) => {
|
||||
const optionBaseArray = Array.from({length: getStdioLength(options) + 1});
|
||||
const optionArray = normalizeFdSpecificValue(options[optionName], optionBaseArray, optionName);
|
||||
return addDefaultValue(optionArray, optionName);
|
||||
};
|
||||
|
||||
const getStdioLength = ({stdio}) => Array.isArray(stdio)
|
||||
? Math.max(stdio.length, STANDARD_STREAMS_ALIASES.length)
|
||||
: STANDARD_STREAMS_ALIASES.length;
|
||||
|
||||
const normalizeFdSpecificValue = (optionValue, optionArray, optionName) => isPlainObject(optionValue)
|
||||
? normalizeOptionObject(optionValue, optionArray, optionName)
|
||||
: optionArray.fill(optionValue);
|
||||
|
||||
const normalizeOptionObject = (optionValue, optionArray, optionName) => {
|
||||
for (const fdName of Object.keys(optionValue).sort(compareFdName)) {
|
||||
for (const fdNumber of parseFdName(fdName, optionName, optionArray)) {
|
||||
optionArray[fdNumber] = optionValue[fdName];
|
||||
}
|
||||
}
|
||||
|
||||
return optionArray;
|
||||
};
|
||||
|
||||
// Ensure priority order when setting both `stdout`/`stderr`, `fd1`/`fd2`, and `all`
|
||||
const compareFdName = (fdNameA, fdNameB) => getFdNameOrder(fdNameA) < getFdNameOrder(fdNameB) ? 1 : -1;
|
||||
|
||||
const getFdNameOrder = fdName => {
|
||||
if (fdName === 'stdout' || fdName === 'stderr') {
|
||||
return 0;
|
||||
}
|
||||
|
||||
return fdName === 'all' ? 2 : 1;
|
||||
};
|
||||
|
||||
const parseFdName = (fdName, optionName, optionArray) => {
|
||||
if (fdName === 'ipc') {
|
||||
return [optionArray.length - 1];
|
||||
}
|
||||
|
||||
const fdNumber = parseFd(fdName);
|
||||
if (fdNumber === undefined || fdNumber === 0) {
|
||||
throw new TypeError(`"${optionName}.${fdName}" is invalid.
|
||||
It must be "${optionName}.stdout", "${optionName}.stderr", "${optionName}.all", "${optionName}.ipc", or "${optionName}.fd3", "${optionName}.fd4" (and so on).`);
|
||||
}
|
||||
|
||||
if (fdNumber >= optionArray.length) {
|
||||
throw new TypeError(`"${optionName}.${fdName}" is invalid: that file descriptor does not exist.
|
||||
Please set the "stdio" option to ensure that file descriptor exists.`);
|
||||
}
|
||||
|
||||
return fdNumber === 'all' ? [1, 2] : [fdNumber];
|
||||
};
|
||||
|
||||
// Use the same syntax for fd-specific options and the `from`/`to` options
|
||||
export const parseFd = fdName => {
|
||||
if (fdName === 'all') {
|
||||
return fdName;
|
||||
}
|
||||
|
||||
if (STANDARD_STREAMS_ALIASES.includes(fdName)) {
|
||||
return STANDARD_STREAMS_ALIASES.indexOf(fdName);
|
||||
}
|
||||
|
||||
const regexpResult = FD_REGEXP.exec(fdName);
|
||||
if (regexpResult !== null) {
|
||||
return Number(regexpResult[1]);
|
||||
}
|
||||
};
|
||||
|
||||
const FD_REGEXP = /^fd(\d+)$/;
|
||||
|
||||
const addDefaultValue = (optionArray, optionName) => optionArray.map(optionValue => optionValue === undefined
|
||||
? DEFAULT_OPTIONS[optionName]
|
||||
: optionValue);
|
||||
|
||||
// Default value for the `verbose` option
|
||||
const verboseDefault = debuglog('execa').enabled ? 'full' : 'none';
|
||||
|
||||
const DEFAULT_OPTIONS = {
|
||||
lines: false,
|
||||
buffer: true,
|
||||
maxBuffer: 1000 * 1000 * 100,
|
||||
verbose: verboseDefault,
|
||||
stripFinalNewline: true,
|
||||
};
|
||||
|
||||
// List of options which can have different values for `stdout`/`stderr`
|
||||
export const FD_SPECIFIC_OPTIONS = ['lines', 'buffer', 'maxBuffer', 'verbose', 'stripFinalNewline'];
|
||||
|
||||
// Retrieve fd-specific option
|
||||
export const getFdSpecificValue = (optionArray, fdNumber) => fdNumber === 'ipc'
|
||||
? optionArray.at(-1)
|
||||
: optionArray[fdNumber];
|
||||
Reference in New Issue
Block a user