Skip to content

Commit 0277f43

Browse files
committedMar 25, 2024
cli: implement node run <script-in-package-json>
1 parent d1d5da2 commit 0277f43

File tree

10 files changed

+205
-0
lines changed

10 files changed

+205
-0
lines changed
 

‎doc/api/cli.md

+22
Original file line numberDiff line numberDiff line change
@@ -51,6 +51,28 @@ entry point, the `node` command will accept as input only files with `.js`,
5151
[`--experimental-wasm-modules`][] is enabled; and with no extension when
5252
[`--experimental-default-type=module`][] is passed.
5353

54+
## Sub-commands
55+
56+
### `node run [command]`
57+
58+
<!-- YAML
59+
added: REPLACEME
60+
-->
61+
62+
This runs an arbitrary command from a package.json's `"scripts"` object.
63+
If no `"command"` is provided, it will list the available scripts.
64+
65+
By default, this command adds the current path appended by
66+
`node_modules/.bin` directory to the PATH in order to execute the binaries
67+
from dependencies.
68+
69+
For example, the following command will run the `test` script of
70+
the current project's `package.json`:
71+
72+
```console
73+
$ node run test
74+
```
75+
5476
## Options
5577

5678
<!-- YAML

‎lib/internal/main/run.js

+71
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,71 @@
1+
'use strict';
2+
/* eslint-disable node-core/prefer-primordials */
3+
4+
// There is no need to add primordials to this file.
5+
// `run.js` is a script only executed when `node run <script>` is called.
6+
const {
7+
prepareMainThreadExecution,
8+
markBootstrapComplete,
9+
} = require('internal/process/pre_execution');
10+
const { getPackageJSONScripts } = internalBinding('modules');
11+
const { execSync } = require('child_process');
12+
const { resolve, delimiter } = require('path');
13+
14+
prepareMainThreadExecution(false, false);
15+
16+
markBootstrapComplete();
17+
18+
// TODO(@anonrig): Search for all package.json's until root folder.
19+
const json_string = getPackageJSONScripts();
20+
21+
// Check if package.json exists and is parseable
22+
if (json_string === undefined) {
23+
process.exit(1);
24+
return;
25+
}
26+
const scripts = JSON.parse(json_string);
27+
// Remove the first two arguments, which are the node binary and the command "run"
28+
const args = process.argv.slice(2);
29+
const id = args.shift();
30+
let command = scripts[id];
31+
32+
if (!command) {
33+
const { error } = require('internal/console/global');
34+
35+
error(`Missing script: "${id}"`);
36+
37+
const keys = Object.keys(scripts);
38+
if (keys.length === 0) {
39+
error('There are no scripts available in package.json');
40+
} else {
41+
error('Available scripts are:\n');
42+
for (const script of keys) {
43+
error(` ${script}: ${scripts[script]}`);
44+
}
45+
}
46+
process.exit(1);
47+
return;
48+
}
49+
50+
const env = process.env;
51+
const cwd = process.cwd();
52+
const binPath = resolve(cwd, 'node_modules/.bin');
53+
54+
// Filter all environment variables that contain the word "path"
55+
const keys = Object.keys(env).filter((key) => /^path$/i.test(key));
56+
const PATH = keys.map((key) => env[key]);
57+
58+
// Append only the current folder bin path to the PATH variable.
59+
// TODO(@anonrig): Add support for appending the bin path of all parent folders.
60+
const paths = [binPath, PATH].join(delimiter);
61+
for (const key of keys) {
62+
env[key] = paths;
63+
}
64+
65+
// If there are any remaining arguments left, append them to the command.
66+
// This is useful if you want to pass arguments to the script, such as
67+
// `node run linter --help` which runs `biome --check . --help`
68+
if (args.length > 0) {
69+
command += ' ' + args.map((arg) => arg.trim()).join(' ');
70+
}
71+
execSync(command, { stdio: 'inherit', env });

‎src/node.cc

+4
Original file line numberDiff line numberDiff line change
@@ -409,6 +409,10 @@ MaybeLocal<Value> StartExecution(Environment* env, StartExecutionCallback cb) {
409409
return StartExecution(env, "internal/main/watch_mode");
410410
}
411411

412+
if (!first_argv.empty() && first_argv == "run") {
413+
return StartExecution(env, "internal/main/run");
414+
}
415+
412416
if (!first_argv.empty() && first_argv != "-") {
413417
return StartExecution(env, "internal/main/run_main_module");
414418
}

‎src/node_modules.cc

+39
Original file line numberDiff line numberDiff line change
@@ -219,6 +219,21 @@ const BindingData::PackageConfig* BindingData::GetPackageJSON(
219219
if (field_value == "commonjs" || field_value == "module") {
220220
package_config.type = field_value;
221221
}
222+
} else if (key == "scripts") {
223+
if (value.type().get(field_type)) {
224+
return throw_invalid_package_config();
225+
}
226+
switch (field_type) {
227+
case simdjson::ondemand::json_type::object: {
228+
if (value.raw_json().get(field_value)) {
229+
return throw_invalid_package_config();
230+
}
231+
package_config.scripts = field_value;
232+
break;
233+
}
234+
default:
235+
break;
236+
}
222237
}
223238
}
224239
// package_config could be quite large, so we should move it instead of
@@ -344,6 +359,28 @@ void BindingData::GetNearestParentPackageJSONType(
344359
args.GetReturnValue().Set(Array::New(realm->isolate(), values, 3));
345360
}
346361

362+
void BindingData::GetPackageJSONScripts(
363+
const FunctionCallbackInfo<Value>& args) {
364+
Realm* realm = Realm::GetCurrent(args);
365+
std::string path = "package.json";
366+
367+
THROW_IF_INSUFFICIENT_PERMISSIONS(
368+
realm->env(), permission::PermissionScope::kFileSystemRead, path);
369+
370+
auto package_json = GetPackageJSON(realm, path);
371+
if (package_json == nullptr) {
372+
printf("Can't read package.json\n");
373+
return;
374+
} else if (!package_json->scripts.has_value()) {
375+
printf("Package.json scripts doesn't exist or parseable\n");
376+
return;
377+
}
378+
379+
args.GetReturnValue().Set(
380+
ToV8Value(realm->context(), package_json->scripts.value())
381+
.ToLocalChecked());
382+
}
383+
347384
void BindingData::GetPackageScopeConfig(
348385
const FunctionCallbackInfo<Value>& args) {
349386
CHECK_GE(args.Length(), 1);
@@ -424,6 +461,7 @@ void BindingData::CreatePerIsolateProperties(IsolateData* isolate_data,
424461
"getNearestParentPackageJSON",
425462
GetNearestParentPackageJSON);
426463
SetMethod(isolate, target, "getPackageScopeConfig", GetPackageScopeConfig);
464+
SetMethod(isolate, target, "getPackageJSONScripts", GetPackageJSONScripts);
427465
}
428466

429467
void BindingData::CreatePerContextProperties(Local<Object> target,
@@ -440,6 +478,7 @@ void BindingData::RegisterExternalReferences(
440478
registry->Register(GetNearestParentPackageJSONType);
441479
registry->Register(GetNearestParentPackageJSON);
442480
registry->Register(GetPackageScopeConfig);
481+
registry->Register(GetPackageJSONScripts);
443482
}
444483

445484
} // namespace modules

‎src/node_modules.h

+3
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,7 @@ class BindingData : public SnapshotableObject {
3232
std::string type = "none";
3333
std::optional<std::string> exports;
3434
std::optional<std::string> imports;
35+
std::optional<std::string> scripts;
3536
std::string raw_json;
3637

3738
v8::Local<v8::Array> Serialize(Realm* realm) const;
@@ -60,6 +61,8 @@ class BindingData : public SnapshotableObject {
6061
const v8::FunctionCallbackInfo<v8::Value>& args);
6162
static void GetPackageScopeConfig(
6263
const v8::FunctionCallbackInfo<v8::Value>& args);
64+
static void GetPackageJSONScripts(
65+
const v8::FunctionCallbackInfo<v8::Value>& args);
6366

6467
static void CreatePerIsolateProperties(IsolateData* isolate_data,
6568
v8::Local<v8::ObjectTemplate> ctor);

‎test/fixtures/run-script/node_modules/.bin/fastify

+2
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

‎test/fixtures/run-script/node_modules/.bin/positional-args

+2
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

‎test/fixtures/run-script/package.json

+7
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
{
2+
"scripts": {
3+
"test": "echo \"Error: no test specified\" && exit 1",
4+
"fastify": "fastify",
5+
"positional-args": "positional-args"
6+
}
7+
}

‎test/parallel/test-node-run.js

+54
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,54 @@
1+
'use strict';
2+
3+
const common = require('../common');
4+
const { it, describe } = require('node:test');
5+
const assert = require('node:assert');
6+
7+
const fixtures = require('../common/fixtures');
8+
const isLinuxOrOSX = common.isLinux || common.isOSX;
9+
10+
describe('node run [command]', () => {
11+
it('returns error on non-existent command', async () => {
12+
const child = await common.spawnPromisified(
13+
process.execPath,
14+
[ 'run', 'test'],
15+
{ cwd: __dirname },
16+
);
17+
assert.strictEqual(child.stdout, 'Can\'t read package.json\n');
18+
assert.strictEqual(child.stderr, '');
19+
assert.strictEqual(child.code, 1);
20+
});
21+
22+
it('runs a valid command', { skip: !isLinuxOrOSX }, async () => {
23+
// Run a script that just log `no test specified`
24+
const child = await common.spawnPromisified(
25+
process.execPath,
26+
[ 'run', 'test'],
27+
{ cwd: fixtures.path('run-script') },
28+
);
29+
assert.strictEqual(child.stdout, 'Error: no test specified\n');
30+
assert.strictEqual(child.code, 1);
31+
});
32+
33+
it('adds node_modules/.bin to path', { skip: !isLinuxOrOSX }, async () => {
34+
const child = await common.spawnPromisified(
35+
process.execPath,
36+
[ 'run', 'fastify'],
37+
{ cwd: fixtures.path('run-script') },
38+
);
39+
assert.strictEqual(child.stdout, 'this is fastify\n');
40+
assert.strictEqual(child.stderr, '');
41+
assert.strictEqual(child.code, 0);
42+
});
43+
44+
it('appends positional arguments', { skip: !isLinuxOrOSX }, async () => {
45+
const child = await common.spawnPromisified(
46+
process.execPath,
47+
[ 'run', 'positional-args', '--help'],
48+
{ cwd: fixtures.path('run-script') },
49+
);
50+
assert.strictEqual(child.stdout, '--help\n');
51+
assert.strictEqual(child.stderr, '');
52+
assert.strictEqual(child.code, 0);
53+
});
54+
});

‎typings/internalBinding/modules.d.ts

+1
Original file line numberDiff line numberDiff line change
@@ -26,4 +26,5 @@ export interface ModulesBinding {
2626
string, // raw content
2727
]
2828
getPackageScopeConfig(path: string): SerializedPackageConfig | undefined
29+
getPackageJSONScripts(): string | undefined
2930
}

0 commit comments

Comments
 (0)