mirror of
https://github.com/nodejs/node.git
synced 2025-05-06 19:49:19 +00:00

The term "native module" dates back to some of the oldest code in the code base. Within the context of Node.js core it usually refers to modules that are native to Node.js (e.g. fs, http), but it can cause confusion for people who don't work on this part of the code base, as "native module" can also refer to native addons - which is even the case in some of the API docs and error messages. This patch tries to make the usage of these terms more consistent. Now within the context of Node.js core: - JavaScript scripts that are built-in to Node.js are now referred to as "built-in(s)". If they are available as modules, they can also be referred to as "built-in module(s)". - Dynamically-linked shared objects that are loaded into the Node.js processes are referred to as "addons". We will try to avoid using the term "native modules" because it could be ambiguous. Changes in this patch: File names: - node_native_module.h -> node_builtins.h, - node_native_module.cc -> node_builtins.cc C++ binding names: - `native_module` -> `builtins` `node::Environment`: - `native_modules_without_cache` -> `builtins_without_cache` - `native_modules_with_cache` -> `builtins_with_cache` - `native_modules_in_snapshot` -> `builtins_in_cache` - `native_module_require` -> `builtin_module_require` `node::EnvSerializeInfo`: - `native_modules` -> `builtins `node::native_module::NativeModuleLoader`: - `native_module` namespace -> `builtins` namespace - `NativeModuleLoader` -> `BuiltinLoader` - `NativeModuleRecordMap` -> `BuiltinSourceMap` - `NativeModuleCacheMap` -> `BuiltinCodeCacheMap` - `ModuleIds` -> `BuiltinIds` - `ModuleCategories` -> `BuiltinCategories` - `LoadBuiltinModuleSource` -> `LoadBuiltinSource` `loader.js`: - `NativeModule` -> `BuiltinModule` (the `NativeModule` name used in `process.moduleLoadList` is kept for compatibility) And other clarifications in the documentation and comments. PR-URL: https://github.com/nodejs/node/pull/44135 Fixes: https://github.com/nodejs/node/issues/44036 Reviewed-By: Jacob Smith <jacob@frende.me> Reviewed-By: Matteo Collina <matteo.collina@gmail.com> Reviewed-By: Michael Dawson <midawson@redhat.com> Reviewed-By: Richard Lau <rlau@redhat.com> Reviewed-By: Jiawen Geng <technicalcute@gmail.com> Reviewed-By: Chengzhong Wu <legendecas@gmail.com> Reviewed-By: Mohammed Keyvanzadeh <mohammadkeyvanzade94@gmail.com> Reviewed-By: Tobias Nießen <tniessen@tnie.de> Reviewed-By: Jan Krems <jan.krems@gmail.com>
376 lines
12 KiB
JavaScript
376 lines
12 KiB
JavaScript
// This file creates the internal module & binding loaders used by built-in
|
|
// modules. In contrast, user land modules are loaded using
|
|
// lib/internal/modules/cjs/loader.js (CommonJS Modules) or
|
|
// lib/internal/modules/esm/* (ES Modules).
|
|
//
|
|
// This file is compiled and run by node.cc before bootstrap/node.js
|
|
// was called, therefore the loaders are bootstrapped before we start to
|
|
// actually bootstrap Node.js. It creates the following objects:
|
|
//
|
|
// C++ binding loaders:
|
|
// - process.binding(): the legacy C++ binding loader, accessible from user land
|
|
// because it is an object attached to the global process object.
|
|
// These C++ bindings are created using NODE_BUILTIN_MODULE_CONTEXT_AWARE()
|
|
// and have their nm_flags set to NM_F_BUILTIN. We do not make any guarantees
|
|
// about the stability of these bindings, but still have to take care of
|
|
// compatibility issues caused by them from time to time.
|
|
// - process._linkedBinding(): intended to be used by embedders to add
|
|
// additional C++ bindings in their applications. These C++ bindings
|
|
// can be created using NODE_MODULE_CONTEXT_AWARE_CPP() with the flag
|
|
// NM_F_LINKED.
|
|
// - internalBinding(): the private internal C++ binding loader, inaccessible
|
|
// from user land unless through `require('internal/test/binding')`.
|
|
// These C++ bindings are created using NODE_MODULE_CONTEXT_AWARE_INTERNAL()
|
|
// and have their nm_flags set to NM_F_INTERNAL.
|
|
//
|
|
// Internal JavaScript module loader:
|
|
// - BuiltinModule: a minimal module system used to load the JavaScript core
|
|
// modules found in lib/**/*.js and deps/**/*.js. All core modules are
|
|
// compiled into the node binary via node_javascript.cc generated by js2c.py,
|
|
// so they can be loaded faster without the cost of I/O. This class makes the
|
|
// lib/internal/*, deps/internal/* modules and internalBinding() available by
|
|
// default to core modules, and lets the core modules require itself via
|
|
// require('internal/bootstrap/loaders') even when this file is not written in
|
|
// CommonJS style.
|
|
//
|
|
// Other objects:
|
|
// - process.moduleLoadList: an array recording the bindings and the modules
|
|
// loaded in the process and the order in which they are loaded.
|
|
|
|
'use strict';
|
|
|
|
// This file is compiled as if it's wrapped in a function with arguments
|
|
// passed by node::RunBootstrapping()
|
|
/* global process, getLinkedBinding, getInternalBinding, primordials */
|
|
|
|
const {
|
|
ArrayFrom,
|
|
ArrayPrototypeMap,
|
|
ArrayPrototypePush,
|
|
ArrayPrototypeSlice,
|
|
Error,
|
|
ObjectCreate,
|
|
ObjectDefineProperty,
|
|
ObjectKeys,
|
|
ObjectPrototypeHasOwnProperty,
|
|
ReflectGet,
|
|
SafeMap,
|
|
SafeSet,
|
|
String,
|
|
StringPrototypeStartsWith,
|
|
TypeError,
|
|
} = primordials;
|
|
|
|
// Set up process.moduleLoadList.
|
|
const moduleLoadList = [];
|
|
ObjectDefineProperty(process, 'moduleLoadList', {
|
|
__proto__: null,
|
|
value: moduleLoadList,
|
|
configurable: true,
|
|
enumerable: true,
|
|
writable: false
|
|
});
|
|
|
|
|
|
// internalBindingAllowlist contains the name of internalBinding modules
|
|
// that are allowed for access via process.binding()... This is used
|
|
// to provide a transition path for modules that are being moved over to
|
|
// internalBinding.
|
|
const internalBindingAllowlist = new SafeSet([
|
|
'async_wrap',
|
|
'buffer',
|
|
'cares_wrap',
|
|
'config',
|
|
'constants',
|
|
'contextify',
|
|
'crypto',
|
|
'fs',
|
|
'fs_event_wrap',
|
|
'http_parser',
|
|
'icu',
|
|
'inspector',
|
|
'js_stream',
|
|
'natives',
|
|
'os',
|
|
'pipe_wrap',
|
|
'process_wrap',
|
|
'signal_wrap',
|
|
'spawn_sync',
|
|
'stream_wrap',
|
|
'tcp_wrap',
|
|
'tls_wrap',
|
|
'tty_wrap',
|
|
'udp_wrap',
|
|
'url',
|
|
'util',
|
|
'uv',
|
|
'v8',
|
|
'zlib',
|
|
]);
|
|
|
|
const runtimeDeprecatedList = new SafeSet([
|
|
'async_wrap',
|
|
'crypto',
|
|
'http_parser',
|
|
'signal_wrap',
|
|
'url',
|
|
'v8',
|
|
]);
|
|
|
|
const legacyWrapperList = new SafeSet([
|
|
'util',
|
|
]);
|
|
|
|
// Modules that can only be imported via the node: scheme.
|
|
const schemelessBlockList = new SafeSet([
|
|
'test',
|
|
]);
|
|
|
|
// Set up process.binding() and process._linkedBinding().
|
|
{
|
|
const bindingObj = ObjectCreate(null);
|
|
|
|
process.binding = function binding(module) {
|
|
module = String(module);
|
|
// Deprecated specific process.binding() modules, but not all, allow
|
|
// selective fallback to internalBinding for the deprecated ones.
|
|
if (internalBindingAllowlist.has(module)) {
|
|
if (runtimeDeprecatedList.has(module)) {
|
|
runtimeDeprecatedList.delete(module);
|
|
process.emitWarning(
|
|
`Access to process.binding('${module}') is deprecated.`,
|
|
'DeprecationWarning',
|
|
'DEP0111');
|
|
}
|
|
if (legacyWrapperList.has(module)) {
|
|
return nativeModuleRequire('internal/legacy/processbinding')[module]();
|
|
}
|
|
return internalBinding(module);
|
|
}
|
|
// eslint-disable-next-line no-restricted-syntax
|
|
throw new Error(`No such module: ${module}`);
|
|
};
|
|
|
|
process._linkedBinding = function _linkedBinding(module) {
|
|
module = String(module);
|
|
let mod = bindingObj[module];
|
|
if (typeof mod !== 'object')
|
|
mod = bindingObj[module] = getLinkedBinding(module);
|
|
return mod;
|
|
};
|
|
}
|
|
|
|
// Set up internalBinding() in the closure.
|
|
/**
|
|
* @type {InternalBinding}
|
|
*/
|
|
let internalBinding;
|
|
{
|
|
const bindingObj = ObjectCreate(null);
|
|
// eslint-disable-next-line no-global-assign
|
|
internalBinding = function internalBinding(module) {
|
|
let mod = bindingObj[module];
|
|
if (typeof mod !== 'object') {
|
|
mod = bindingObj[module] = getInternalBinding(module);
|
|
ArrayPrototypePush(moduleLoadList, `Internal Binding ${module}`);
|
|
}
|
|
return mod;
|
|
};
|
|
}
|
|
|
|
const loaderId = 'internal/bootstrap/loaders';
|
|
const {
|
|
builtinIds,
|
|
compileFunction
|
|
} = internalBinding('builtins');
|
|
|
|
const getOwn = (target, property, receiver) => {
|
|
return ObjectPrototypeHasOwnProperty(target, property) ?
|
|
ReflectGet(target, property, receiver) :
|
|
undefined;
|
|
};
|
|
|
|
/**
|
|
* An internal abstraction for the built-in JavaScript modules of Node.js.
|
|
* Be careful not to expose this to user land unless --expose-internals is
|
|
* used, in which case there is no compatibility guarantee about this class.
|
|
*/
|
|
class BuiltinModule {
|
|
/**
|
|
* A map from the module IDs to the module instances.
|
|
* @type {Map<string, BuiltinModule>}
|
|
*/
|
|
static map = new SafeMap(
|
|
ArrayPrototypeMap(builtinIds, (id) => [id, new BuiltinModule(id)])
|
|
);
|
|
|
|
constructor(id) {
|
|
this.filename = `${id}.js`;
|
|
this.id = id;
|
|
this.canBeRequiredByUsers = !StringPrototypeStartsWith(id, 'internal/');
|
|
|
|
// The CJS exports object of the module.
|
|
this.exports = {};
|
|
// States used to work around circular dependencies.
|
|
this.loaded = false;
|
|
this.loading = false;
|
|
|
|
// The following properties are used by the ESM implementation and only
|
|
// initialized when the built-in module is loaded by users.
|
|
/**
|
|
* The C++ ModuleWrap binding used to interface with the ESM implementation.
|
|
* @type {ModuleWrap|undefined}
|
|
*/
|
|
this.module = undefined;
|
|
/**
|
|
* Exported names for the ESM imports.
|
|
* @type {string[]|undefined}
|
|
*/
|
|
this.exportKeys = undefined;
|
|
}
|
|
|
|
// To be called during pre-execution when --expose-internals is on.
|
|
// Enables the user-land module loader to access internal modules.
|
|
static exposeInternals() {
|
|
for (const { 0: id, 1: mod } of BuiltinModule.map) {
|
|
// Do not expose this to user land even with --expose-internals.
|
|
if (id !== loaderId) {
|
|
mod.canBeRequiredByUsers = true;
|
|
}
|
|
}
|
|
}
|
|
|
|
static exists(id) {
|
|
return BuiltinModule.map.has(id);
|
|
}
|
|
|
|
static canBeRequiredByUsers(id) {
|
|
const mod = BuiltinModule.map.get(id);
|
|
return mod && mod.canBeRequiredByUsers;
|
|
}
|
|
|
|
// Determine if a core module can be loaded without the node: prefix. This
|
|
// function does not validate if the module actually exists.
|
|
static canBeRequiredWithoutScheme(id) {
|
|
return !schemelessBlockList.has(id);
|
|
}
|
|
|
|
static getSchemeOnlyModuleNames() {
|
|
return ArrayFrom(schemelessBlockList);
|
|
}
|
|
|
|
// Used by user-land module loaders to compile and load builtins.
|
|
compileForPublicLoader() {
|
|
if (!this.canBeRequiredByUsers) {
|
|
// No code because this is an assertion against bugs
|
|
// eslint-disable-next-line no-restricted-syntax
|
|
throw new Error(`Should not compile ${this.id} for public use`);
|
|
}
|
|
this.compileForInternalLoader();
|
|
if (!this.exportKeys) {
|
|
// When using --expose-internals, we do not want to reflect the named
|
|
// exports from core modules as this can trigger unnecessary getters.
|
|
const internal = StringPrototypeStartsWith(this.id, 'internal/');
|
|
this.exportKeys = internal ? [] : ObjectKeys(this.exports);
|
|
}
|
|
this.getESMFacade();
|
|
this.syncExports();
|
|
return this.exports;
|
|
}
|
|
|
|
getESMFacade() {
|
|
if (this.module) return this.module;
|
|
const { ModuleWrap } = internalBinding('module_wrap');
|
|
const url = `node:${this.id}`;
|
|
const nativeModule = this;
|
|
const exportsKeys = ArrayPrototypeSlice(this.exportKeys);
|
|
ArrayPrototypePush(exportsKeys, 'default');
|
|
this.module = new ModuleWrap(
|
|
url, undefined, exportsKeys,
|
|
function() {
|
|
nativeModule.syncExports();
|
|
this.setExport('default', nativeModule.exports);
|
|
});
|
|
// Ensure immediate sync execution to capture exports now
|
|
this.module.instantiate();
|
|
this.module.evaluate(-1, false);
|
|
return this.module;
|
|
}
|
|
|
|
// Provide named exports for all builtin libraries so that the libraries
|
|
// may be imported in a nicer way for ESM users. The default export is left
|
|
// as the entire namespace (module.exports) and updates when this function is
|
|
// called so that APMs and other behavior are supported.
|
|
syncExports() {
|
|
const names = this.exportKeys;
|
|
if (this.module) {
|
|
for (let i = 0; i < names.length; i++) {
|
|
const exportName = names[i];
|
|
if (exportName === 'default') continue;
|
|
this.module.setExport(exportName,
|
|
getOwn(this.exports, exportName, this.exports));
|
|
}
|
|
}
|
|
}
|
|
|
|
compileForInternalLoader() {
|
|
if (this.loaded || this.loading) {
|
|
return this.exports;
|
|
}
|
|
|
|
const id = this.id;
|
|
this.loading = true;
|
|
|
|
try {
|
|
const requireFn = StringPrototypeStartsWith(this.id, 'internal/deps/') ?
|
|
requireWithFallbackInDeps : nativeModuleRequire;
|
|
|
|
const fn = compileFunction(id);
|
|
// Arguments must match the parameters specified in
|
|
// BuiltinLoader::LookupAndCompile().
|
|
fn(this.exports, requireFn, this, process, internalBinding, primordials);
|
|
|
|
this.loaded = true;
|
|
} finally {
|
|
this.loading = false;
|
|
}
|
|
|
|
// "NativeModule" is a legacy name of "BuiltinModule". We keep it
|
|
// here to avoid breaking users who parse process.moduleLoadList.
|
|
ArrayPrototypePush(moduleLoadList, `NativeModule ${id}`);
|
|
return this.exports;
|
|
}
|
|
}
|
|
|
|
// Think of this as module.exports in this file even though it is not
|
|
// written in CommonJS style.
|
|
const loaderExports = {
|
|
internalBinding,
|
|
BuiltinModule,
|
|
require: nativeModuleRequire
|
|
};
|
|
|
|
function nativeModuleRequire(id) {
|
|
if (id === loaderId) {
|
|
return loaderExports;
|
|
}
|
|
|
|
const mod = BuiltinModule.map.get(id);
|
|
// Can't load the internal errors module from here, have to use a raw error.
|
|
// eslint-disable-next-line no-restricted-syntax
|
|
if (!mod) throw new TypeError(`Missing internal module '${id}'`);
|
|
return mod.compileForInternalLoader();
|
|
}
|
|
|
|
// Allow internal modules from dependencies to require
|
|
// other modules from dependencies by providing fallbacks.
|
|
function requireWithFallbackInDeps(request) {
|
|
if (!BuiltinModule.map.has(request)) {
|
|
request = `internal/deps/${request}`;
|
|
}
|
|
return nativeModuleRequire(request);
|
|
}
|
|
|
|
// Pass the exports back to C++ land for C++ internals to use.
|
|
return loaderExports;
|