Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

docs: add example of implementing optional-value #155

Merged
merged 3 commits into from
Aug 19, 2024
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
57 changes: 57 additions & 0 deletions examples/optional-value.mjs
Original file line number Diff line number Diff line change
@@ -0,0 +1,57 @@
// This is an example of adding support for an option with an optional value,
// which can be used like a boolean-type or a string-type.

import { parseArgs } from 'node:util';
import process from 'node:process';

const options = {
'host': {
type: 'string',
short: 'h',
default: 'default.com',
preset: 'localhost'
},
'debug': { type: 'boolean', short: 'd' },
};

const args = process.argv.slice(2);

do {
const { tokens } = parseArgs({ args, options, strict: false, tokens: true });
// Insert preset if:
// - missing value, like: --host
// - value came from following option argument, like: --host --debug
// An empty string is a valid value for a string-type option.
const needsPreset = tokens.find((token) =>
token.kind === 'option' &&
options[token.name] &&
options[token.name].type === 'string' &&
options[token.name].preset !== undefined &&
(
token.value === undefined ||
(token.value.startsWith('-') && !token.inlineValue)
));

if (!needsPreset) break;

// Add preset value as an inline value to the original argument.
const joiner = args[needsPreset.index].startsWith('--') ? '=' : '';
args[needsPreset.index] = `${args[needsPreset.index]}${joiner}${options[needsPreset.name].preset}`;

} while (true);


const { values } = parseArgs({ args, options });
console.log(values);

// Try the following:
// node optional-value.mjs
// node optional-value.mjs -h
// node optional-value.mjs --host
// node optional-value.mjs -hHOSTNAME
// node optional-value.mjs --host=HOSTNAME
// node optional-value.mjs --host=
// node optional-value.mjs -h -d
// node optional-value.mjs -dh
// node optional-value.mjs --host --debug
// node optional-value.mjs --host -- POSITIONAL
Loading