feat(): Add command parser for fns docstring

This commit is contained in:
Chris Daßler 2024-06-29 23:23:25 +02:00
parent d5de0bfe54
commit 64815d15f6
3 changed files with 162 additions and 71 deletions

72
log
View File

@ -11,57 +11,47 @@ class Log extends This {
super.init(); // initialize commander with overridden version and description
}
echo(str) {
console.log(str);
echo(message) {
/**
* @command
* @argument('<message>')
*/
console.log(message);
}
success(str) {
console.log(this._echoInGreen(str));
success(message) {
/**
* @command
* @argument('<message>')
*/
console.log(this._echoInGreen(message));
}
info(str) {
console.log(`[INFO] ${str}`);
info(message) {
/**
* @command
* @argument('<message>')
*/
console.log(`[INFO] ${message}`);
}
warn(str) {
console.warn(`[WARN] ${this._echoInYellow(str)}`);
warn(message) {
/**
* @command
* @argument('<message>')
*/
console.warn(`[WARN] ${this._echoInYellow(message)}`);
}
error(str) {
console.error(`[ERR] ${this._echoInRed(str)}`);
error(message) {
/**
* @command
* @argument('<message>')
*/
console.error(`[ERR] ${this._echoInRed(message)}`);
}
start() {
this.program.command('echo')
.argument('<message>')
.action(message => {
this.echo(message);
});
this.program.command('success')
.argument('<message>')
.action(message => {
this.success(message);
});
this.program.command('info')
.argument('<message>')
.action(message => {
this.info(message);
});
this.program.command('warn')
.argument('<message>')
.action(message => {
this.warn(message);
});
this.program.command('error')
.argument('<message>')
.action(message => {
this.error(message);
});
this.program.parse();
if (Object.keys(this.program.opts()).length || this.program.args.length) {
@ -78,4 +68,4 @@ class Log extends This {
// main
const log = new Log();
log.start();
log.start();

61
pm
View File

@ -1,6 +1,7 @@
#!/usr/bin/env node
const This = require('./this');
const util = require('util');
// Example of subcommands which are implemented as stand-alone executable files.
//
@ -17,21 +18,34 @@ class Pm extends This {
}
install() {
this.program.command('install [name]', 'install one or more packages').alias('i');
/**
* @command('install one or more packages')
* @alias('i')
*/
// Calls stand-alone excutable `pm-install` because of @command(<description>) in docstring
}
search() {
this.program.command('search [query]', 'search with optional query').alias('s');
/**
* @command('search with optional query')
* @alias('s')
*/
// Calls stand-alone excutable `pm-search` because of @command(<description>) in docstring
}
update() {
this.program.command('update', 'update installed packages', {
executableFile: 'myUpdateSubCommand',
});
/**
* @command('update installed packages')
* @executable('myUpdateSubCommand')
*/
// Calls stand-alone excutable `myUpdateSubCommand` because of @command(<description>) in docstring
}
list() {
this.program.command('list', 'list packages installed', { isDefault: false });
/**
* @command('list packages installed')
*/
// Calls stand-alone excutable `pm-list` because of @command(<description>) in docstring
}
// override This.discovery()
@ -104,30 +118,21 @@ class Pm extends This {
}
start() {
// Usage
const pm = new Pm();
// Output: Methods of Pm: [ 'methodOne', 'methodTwo' ]
// Properties of Pm: [ 'propertyOne', 'propertyTwo', 'version' ] and Version: 1.1.0
//pm.discovery();
this.program.parse();
// this.program
// .name(this.scriptName)
// .version('0.0.1')
// .description('Fake package manager')
// .command('install [name]', 'install one or more packages')
// .alias('i')
// .command('search [query]', 'search with optional query')
// .alias('s')
// .command('update', 'update installed packages', {
// executableFile: 'myUpdateSubCommand',
// })
// .command('list', 'list packages installed', { isDefault: false });
//this.program.parse();
if (Object.keys(this.program.opts()).length || this.program.args.length) {
// Debugging commander options and arguments
const opts = util.inspect(this.program.opts(), { depth: null, colors: true, showHidden: true });
const args = util.inspect(this.program.args, { depth: null, colors: true, showHidden: true });
this.execCmd(`${this.workingDir}/log echo 'Options: ${opts}'`);
this.execCmd(`${this.workingDir}/log echo 'Remaining arguments: ${args}'`);
} else {
this.program.outputHelp();
}
// applies logDecorator to this.discovery() and binds it to 'this' to maintain the correct context
const logDecoratedDiscovery = this._logDecorator(this.discovery).bind(this);
logDecoratedDiscovery();
//const logDecoratedDiscovery = this._logDecorator(this.discovery).bind(this);
//logDecoratedDiscovery();
// Try the following on macOS or Linux:
// ./examples/pm
@ -148,4 +153,4 @@ const pm = new Pm();
// logDecoratedDiscovery();
pm.start();
pm.selfTest();
//pm.selfTest();

100
this
View File

@ -7,7 +7,7 @@ const shell = require('shelljs');
class This {
constructor() {
this.version = '0.0.1'; // Default version, can be overridden in subclasses
this.description = 'This is the parent class all other scripts should extend.'
this.description = 'This is the parent class all other scripts should extend.';
this.scriptName = path.parse(process.argv[1]).base;
this.workingDir = path.parse(process.argv[1]).dir;
}
@ -25,6 +25,11 @@ class This {
// Highlight errors in color.
outputError: (str, write) => write(this._echoInRed(str)),
});
// dynamically add all methods with appropriate docstring to commander
this.listMethods().forEach((method) => {
this._parseDocStringToCmd(this[method]);
});
}
getClassName() {
@ -90,11 +95,102 @@ class This {
Error.captureStackTrace(err, this._getCurrentFunctionName);
// Extract the function name from the stack trace
const callerName = err.stack.split("\n")[1].trim().split(" ")[1];
const callerName = err.stack.split('\n')[1].trim().split(' ')[1];
return callerName;
}
// Utility function to extract docstring from a function, e.g.
//
// echo(str) {
// /**
// @command
// @argument('<message>')
// */
// console.log(str);
// }
//
// Attention:
// In JavaScript, when a script is executed as a bash script with a shebang (#!/usr/bin/env node),
// the toString method on functions does not include comments preceding the function definition.
_getFunctionDocString(fn) {
const fnStr = fn.toString();
const docStringMatch = fnStr.match(/\/\*[\s\S]*?\*\//);
return docStringMatch ? docStringMatch[0] : null;
}
// Parser function to convert docstring to commander statement
_parseDocStringToCmd(fn) {
const docString = this._getFunctionDocString(fn);
if (!docString) {
// No docstring found
return;
}
// Extract command and arguments
const commandMatch = docString.match(/@command(?:\('([^']*)'\))?/);
const aliasMatch = docString.match(/@alias\('(.+?)'\)/);
const argumentsMatch = /@argument\('(.+?)'\)/g;
const optionsMatch = /@option\('(.+?)'\)/g;
const defaultMatch = docString.match(/@default/);
const executableMatch = docString.match(/@executable\('(.+?)'\)/);
if (!commandMatch) {
// No @command tag found
return;
}
const commandName = fn.name;
const commandDescription = commandMatch ? commandMatch[1] : '';
const alias = aliasMatch ? aliasMatch[1] : '';
const defaultCommand = defaultMatch ? true : false;
const executable = executableMatch ? executableMatch[1] : '';
// Generate the commander statement
// Get the function reference
const func = this[commandName].bind(this);
// Create a command
// When `.command()` is invoked with a description argument,
// this tells Commander that you're going to use a stand-alone executable for the subcommand.
let command;
if (commandDescription) {
command = this.program.command(commandName, commandDescription, {
isDefault: defaultCommand,
executableFile: executable,
});
if (alias) {
command.alias(alias);
}
} else {
command = this.program.command(commandName, { isDefault: defaultCommand });
// Set the action for the command
command.action((arg) => {
func(arg);
});
}
// If the commandName expects arguments, we add them here
let argMatch;
while ((argMatch = argumentsMatch.exec(docString)) !== null) {
command.argument(argMatch[1]);
}
// If the commandName expects options, we add them here
let optMatch;
while ((optMatch = optionsMatch.exec(docString)) !== null) {
command.option(optMatch[1]);
}
}
_addMethodsToClass(cls, metadata) {
if (cls) {
cls.commands.push(metadata);
}
}
// Higher-order function to decorate other functions and provide logging
_logDecorator(fn) {
return function (...args) {