Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit df86793

Browse files
jkremstargos
authored andcommittedJan 8, 2020
module: resolve self-references
Adds the ability to `import` or `require` a package from within its own source code. This allows tests and examples to be written using the package name, making them easier to reuse by consumers of the package. Assuming the `name` field in `package.json` is set to `my-pkg`, its test could use `require('my-pkg')` or `import 'my-pkg'` even if there's no `node_modules/my-pkg` while testing the package itself. An important difference between this and relative specifiers like `require('../')` is that self-references use the public interface of the package as defined in the `exports` field while relative specifiers don't. This behavior is guarded by a new experimental flag (`--experimental-resolve-self`). PR-URL: #29327 Reviewed-By: Guy Bedford <guybedford@gmail.com> Reviewed-By: James M Snell <jasnell@gmail.com> Reviewed-By: Michaël Zasso <targos@protonmail.com>
1 parent e08c008 commit df86793

File tree

12 files changed

+294
-44
lines changed

12 files changed

+294
-44
lines changed
 

‎doc/api/cli.md

+9
Original file line numberDiff line numberDiff line change
@@ -196,6 +196,14 @@ added: v11.8.0
196196

197197
Enable experimental diagnostic report feature.
198198

199+
### `--experimental-resolve-self`
200+
<!-- YAML
201+
added: REPLACEME
202+
-->
203+
204+
Enable experimental support for a package using `require` or `import` to load
205+
itself.
206+
199207
### `--experimental-vm-modules`
200208
<!-- YAML
201209
added: v9.6.0
@@ -1053,6 +1061,7 @@ Node.js options that are allowed are:
10531061
* `--experimental-policy`
10541062
* `--experimental-repl-await`
10551063
* `--experimental-report`
1064+
* `--experimental-resolve-self`
10561065
* `--experimental-vm-modules`
10571066
* `--experimental-wasm-modules`
10581067
* `--force-context-aware`

‎doc/api/esm.md

+24-4
Original file line numberDiff line numberDiff line change
@@ -838,9 +838,6 @@ _isMain_ is **true** when resolving the Node.js application entry point.
838838
> 1. Let _packageSubpath_ be *undefined*.
839839
> 1. If _packageSpecifier_ is an empty string, then
840840
> 1. Throw an _Invalid Specifier_ error.
841-
> 1. If _packageSpecifier_ does not start with _"@"_, then
842-
> 1. Set _packageName_ to the substring of _packageSpecifier_ until the
843-
> first _"/"_ separator or the end of the string.
844841
> 1. Otherwise,
845842
> 1. If _packageSpecifier_ does not contain a _"/"_ separator, then
846843
> 1. Throw an _Invalid Specifier_ error.
@@ -854,7 +851,7 @@ _isMain_ is **true** when resolving the Node.js application entry point.
854851
> 1. Set _packageSubpath_ to _"."_ concatenated with the substring of
855852
> _packageSpecifier_ from the position at the length of _packageName_.
856853
> 1. If _packageSubpath_ contains any _"."_ or _".."_ segments or percent
857-
> encoded strings for _"/"_ or _"\\"_ then,
854+
> encoded strings for _"/"_ or _"\\"_, then
858855
> 1. Throw an _Invalid Specifier_ error.
859856
> 1. If _packageSubpath_ is _undefined_ and _packageName_ is a Node.js builtin
860857
> module, then
@@ -877,8 +874,31 @@ _isMain_ is **true** when resolving the Node.js application entry point.
877874
> 1. Return **PACKAGE_EXPORTS_RESOLVE**(_packageURL_,
878875
> _packageSubpath_, _pjson.exports_).
879876
> 1. Return the URL resolution of _packageSubpath_ in _packageURL_.
877+
> 1. Set _selfUrl_ to the result of
878+
> **SELF_REFERENCE_RESOLE**(_packageSpecifier_, _parentURL_).
879+
> 1. If _selfUrl_ isn't empty, return _selfUrl_.
880880
> 1. Throw a _Module Not Found_ error.
881881
882+
**SELF_REFERENCE_RESOLVE**(_specifier_, _parentURL_)
883+
884+
> 1. Let _packageURL_ be the result of **READ_PACKAGE_SCOPE**(_parentURL_).
885+
> 1. If _packageURL_ is **null**, then
886+
> 1. Return an empty result.
887+
> 1. Let _pjson_ be the result of **READ_PACKAGE_JSON**(_packageURL_).
888+
> 1. Set _name_ to _pjson.name_.
889+
> 1. If _name_ is empty, then return an empty result.
890+
> 1. If _name_ is equal to _specifier_, then
891+
> 1. Return the result of **PACKAGE_MAIN_RESOLVE**(_packageURL_, _pjson_).
892+
> 1. If _specifier_ starts with _name_ followed by "/", then
893+
> 1. Set _subpath_ to everything after the "/".
894+
> 1. If _pjson_ is not **null** and _pjson_ has an _"exports"_ key, then
895+
> 1. Let _exports_ be _pjson.exports_.
896+
> 1. If _exports_ is not **null** or **undefined**, then
897+
> 1. Return **PACKAGE_EXPORTS_RESOLVE**(_packageURL_, _subpath_,
898+
> _pjson.exports_).
899+
> 1. Return the URL resolution of _subpath_ in _packageURL_.
900+
> 1. Otherwise return an empty result.
901+
882902
**PACKAGE_MAIN_RESOLVE**(_packageURL_, _pjson_)
883903
884904
> 1. If _pjson_ is **null**, then

‎doc/api/modules.md

+10-2
Original file line numberDiff line numberDiff line change
@@ -160,8 +160,9 @@ require(X) from module at path Y
160160
a. LOAD_AS_FILE(Y + X)
161161
b. LOAD_AS_DIRECTORY(Y + X)
162162
c. THROW "not found"
163-
4. LOAD_NODE_MODULES(X, dirname(Y))
164-
5. THROW "not found"
163+
5. LOAD_NODE_MODULES(X, dirname(Y))
164+
4. LOAD_SELF_REFERENCE(X, dirname(Y))
165+
6. THROW "not found"
165166
166167
LOAD_AS_FILE(X)
167168
1. If X is a file, load X as JavaScript text. STOP
@@ -201,6 +202,13 @@ NODE_MODULES_PATHS(START)
201202
c. DIRS = DIRS + DIR
202203
d. let I = I - 1
203204
5. return DIRS
205+
206+
LOAD_SELF_REFERENCE(X, START)
207+
1. Find the closest package scope to START.
208+
2. If no scope was found, throw "not found".
209+
3. If the name in `package.json` isn't a prefix of X, throw "not found".
210+
4. Otherwise, resolve the remainder of X relative to this package as if it
211+
was loaded via `LOAD_NODE_MODULES` with a name in `package.json`.
204212
```
205213

206214
Node.js allows packages loaded via

‎lib/internal/modules/cjs/loader.js

+129-37
Original file line numberDiff line numberDiff line change
@@ -59,6 +59,7 @@ const enableSourceMaps = getOptionValue('--enable-source-maps');
5959
const preserveSymlinks = getOptionValue('--preserve-symlinks');
6060
const preserveSymlinksMain = getOptionValue('--preserve-symlinks-main');
6161
const experimentalModules = getOptionValue('--experimental-modules');
62+
const experimentalSelf = getOptionValue('--experimental-resolve-self');
6263
const manifest = getOptionValue('--experimental-policy') ?
6364
require('internal/process/policy').manifest :
6465
null;
@@ -237,6 +238,7 @@ function readPackage(requestPath) {
237238
try {
238239
const parsed = JSON.parse(json);
239240
const filtered = {
241+
name: parsed.name,
240242
main: parsed.main,
241243
exports: parsed.exports,
242244
type: parsed.type
@@ -366,6 +368,125 @@ function findLongestRegisteredExtension(filename) {
366368
return '.js';
367369
}
368370

371+
function resolveBasePath(basePath, exts, isMain, trailingSlash, request) {
372+
let filename;
373+
374+
const rc = stat(basePath);
375+
if (!trailingSlash) {
376+
if (rc === 0) { // File.
377+
if (!isMain) {
378+
if (preserveSymlinks) {
379+
filename = path.resolve(basePath);
380+
} else {
381+
filename = toRealPath(basePath);
382+
}
383+
} else if (preserveSymlinksMain) {
384+
// For the main module, we use the preserveSymlinksMain flag instead
385+
// mainly for backward compatibility, as the preserveSymlinks flag
386+
// historically has not applied to the main module. Most likely this
387+
// was intended to keep .bin/ binaries working, as following those
388+
// symlinks is usually required for the imports in the corresponding
389+
// files to resolve; that said, in some use cases following symlinks
390+
// causes bigger problems which is why the preserveSymlinksMain option
391+
// is needed.
392+
filename = path.resolve(basePath);
393+
} else {
394+
filename = toRealPath(basePath);
395+
}
396+
}
397+
398+
if (!filename) {
399+
// Try it with each of the extensions
400+
if (exts === undefined)
401+
exts = Object.keys(Module._extensions);
402+
filename = tryExtensions(basePath, exts, isMain);
403+
}
404+
}
405+
406+
if (!filename && rc === 1) { // Directory.
407+
// try it with each of the extensions at "index"
408+
if (exts === undefined)
409+
exts = Object.keys(Module._extensions);
410+
filename = tryPackage(basePath, exts, isMain, request);
411+
}
412+
413+
return filename;
414+
}
415+
416+
function trySelf(paths, exts, isMain, trailingSlash, request) {
417+
if (!experimentalSelf) {
418+
return false;
419+
}
420+
421+
const { data: pkg, path: basePath } = readPackageScope(paths[0]);
422+
if (!pkg) return false;
423+
if (typeof pkg.name !== 'string') return false;
424+
425+
let expansion;
426+
if (request === pkg.name) {
427+
expansion = '';
428+
} else if (StringPrototype.startsWith(request, `${pkg.name}/`)) {
429+
expansion = StringPrototype.slice(request, pkg.name.length);
430+
} else {
431+
return false;
432+
}
433+
434+
if (exts === undefined)
435+
exts = Object.keys(Module._extensions);
436+
437+
if (expansion) {
438+
// Use exports
439+
const fromExports = applyExports(basePath, expansion);
440+
if (!fromExports) return false;
441+
return resolveBasePath(fromExports, exts, isMain, trailingSlash, request);
442+
} else {
443+
// Use main field
444+
return tryPackage(basePath, exts, isMain, request);
445+
}
446+
}
447+
448+
function applyExports(basePath, expansion) {
449+
const pkgExports = readPackageExports(basePath);
450+
const mappingKey = `.${expansion}`;
451+
452+
if (typeof pkgExports === 'object' && pkgExports !== null) {
453+
if (ObjectPrototype.hasOwnProperty(pkgExports, mappingKey)) {
454+
const mapping = pkgExports[mappingKey];
455+
return resolveExportsTarget(pathToFileURL(basePath + '/'), mapping, '',
456+
basePath, mappingKey);
457+
}
458+
459+
let dirMatch = '';
460+
for (const candidateKey of Object.keys(pkgExports)) {
461+
if (candidateKey[candidateKey.length - 1] !== '/') continue;
462+
if (candidateKey.length > dirMatch.length &&
463+
StringPrototype.startsWith(mappingKey, candidateKey)) {
464+
dirMatch = candidateKey;
465+
}
466+
}
467+
468+
if (dirMatch !== '') {
469+
const mapping = pkgExports[dirMatch];
470+
const subpath = StringPrototype.slice(mappingKey, dirMatch.length);
471+
return resolveExportsTarget(pathToFileURL(basePath + '/'), mapping,
472+
subpath, basePath, mappingKey);
473+
}
474+
}
475+
if (mappingKey === '.' && typeof pkgExports === 'string') {
476+
return resolveExportsTarget(pathToFileURL(basePath + '/'), pkgExports,
477+
'', basePath, mappingKey);
478+
}
479+
if (pkgExports != null) {
480+
// eslint-disable-next-line no-restricted-syntax
481+
const e = new Error(`Package exports for '${basePath}' do not define ` +
482+
`a '${mappingKey}' subpath`);
483+
e.code = 'MODULE_NOT_FOUND';
484+
throw e;
485+
}
486+
487+
return path.resolve(basePath, mappingKey);
488+
}
489+
369490
// This only applies to requests of a specific form:
370491
// 1. name/.*
371492
// 2. @scope/name/.*
@@ -380,43 +501,7 @@ function resolveExports(nmPath, request, absoluteRequest) {
380501
}
381502

382503
const basePath = path.resolve(nmPath, name);
383-
const pkgExports = readPackageExports(basePath);
384-
const mappingKey = `.${expansion}`;
385-
386-
if (typeof pkgExports === 'object' && pkgExports !== null) {
387-
if (ObjectPrototype.hasOwnProperty(pkgExports, mappingKey)) {
388-
const mapping = pkgExports[mappingKey];
389-
return resolveExportsTarget(pathToFileURL(basePath + '/'), mapping, '',
390-
basePath, mappingKey);
391-
}
392-
393-
let dirMatch = '';
394-
for (const candidateKey of Object.keys(pkgExports)) {
395-
if (candidateKey[candidateKey.length - 1] !== '/') continue;
396-
if (candidateKey.length > dirMatch.length &&
397-
StringPrototype.startsWith(mappingKey, candidateKey)) {
398-
dirMatch = candidateKey;
399-
}
400-
}
401-
402-
if (dirMatch !== '') {
403-
const mapping = pkgExports[dirMatch];
404-
const subpath = StringPrototype.slice(mappingKey, dirMatch.length);
405-
return resolveExportsTarget(pathToFileURL(basePath + '/'), mapping,
406-
subpath, basePath, mappingKey);
407-
}
408-
}
409-
if (mappingKey === '.' && typeof pkgExports === 'string') {
410-
return resolveExportsTarget(pathToFileURL(basePath + '/'), pkgExports,
411-
'', basePath, mappingKey);
412-
}
413-
if (pkgExports != null) {
414-
// eslint-disable-next-line no-restricted-syntax
415-
const e = new Error(`Package exports for '${basePath}' do not define ` +
416-
`a '${mappingKey}' subpath`);
417-
e.code = 'MODULE_NOT_FOUND';
418-
throw e;
419-
}
504+
return applyExports(basePath, expansion);
420505
}
421506

422507
return path.resolve(nmPath, request);
@@ -532,6 +617,13 @@ Module._findPath = function(request, paths, isMain) {
532617
return filename;
533618
}
534619
}
620+
621+
const selfFilename = trySelf(paths, exts, isMain, trailingSlash, request);
622+
if (selfFilename) {
623+
Module._pathCache[cacheKey] = selfFilename;
624+
return selfFilename;
625+
}
626+
535627
return false;
536628
};
537629

‎src/env.h

+3
Original file line numberDiff line numberDiff line change
@@ -93,12 +93,15 @@ struct PackageConfig {
9393
enum class Exists { Yes, No };
9494
enum class IsValid { Yes, No };
9595
enum class HasMain { Yes, No };
96+
enum class HasName { Yes, No };
9697
enum PackageType : uint32_t { None = 0, CommonJS, Module };
9798

9899
const Exists exists;
99100
const IsValid is_valid;
100101
const HasMain has_main;
101102
const std::string main;
103+
const HasName has_name;
104+
const std::string name;
102105
const PackageType type;
103106

104107
v8::Global<v8::Value> exports;

‎src/module_wrap.cc

+79
Original file line numberDiff line numberDiff line change
@@ -578,6 +578,7 @@ Maybe<std::string> ReadIfFile(const std::string& path) {
578578
using Exists = PackageConfig::Exists;
579579
using IsValid = PackageConfig::IsValid;
580580
using HasMain = PackageConfig::HasMain;
581+
using HasName = PackageConfig::HasName;
581582
using PackageType = PackageConfig::PackageType;
582583

583584
Maybe<const PackageConfig*> GetPackageConfig(Environment* env,
@@ -600,6 +601,7 @@ Maybe<const PackageConfig*> GetPackageConfig(Environment* env,
600601
if (source.IsNothing()) {
601602
auto entry = env->package_json_cache.emplace(path,
602603
PackageConfig { Exists::No, IsValid::Yes, HasMain::No, "",
604+
HasName::No, "",
603605
PackageType::None, Global<Value>() });
604606
return Just(&entry.first->second);
605607
}
@@ -620,6 +622,7 @@ Maybe<const PackageConfig*> GetPackageConfig(Environment* env,
620622
!pkg_json_v->ToObject(context).ToLocal(&pkg_json)) {
621623
env->package_json_cache.emplace(path,
622624
PackageConfig { Exists::Yes, IsValid::No, HasMain::No, "",
625+
HasName::No, "",
623626
PackageType::None, Global<Value>() });
624627
std::string msg = "Invalid JSON in " + path +
625628
" imported from " + base.ToFilePath();
@@ -639,6 +642,18 @@ Maybe<const PackageConfig*> GetPackageConfig(Environment* env,
639642
main_std.assign(std::string(*main_utf8, main_utf8.length()));
640643
}
641644

645+
Local<Value> pkg_name;
646+
HasName has_name = HasName::No;
647+
std::string name_std;
648+
if (pkg_json->Get(env->context(), env->name_string()).ToLocal(&pkg_name)) {
649+
if (pkg_name->IsString()) {
650+
has_name = HasName::Yes;
651+
652+
Utf8Value name_utf8(isolate, pkg_name);
653+
name_std.assign(std::string(*name_utf8, name_utf8.length()));
654+
}
655+
}
656+
642657
PackageType pkg_type = PackageType::None;
643658
Local<Value> type_v;
644659
if (pkg_json->Get(env->context(), env->type_string()).ToLocal(&type_v)) {
@@ -659,12 +674,14 @@ Maybe<const PackageConfig*> GetPackageConfig(Environment* env,
659674

660675
auto entry = env->package_json_cache.emplace(path,
661676
PackageConfig { Exists::Yes, IsValid::Yes, has_main, main_std,
677+
has_name, name_std,
662678
pkg_type, std::move(exports) });
663679
return Just(&entry.first->second);
664680
}
665681

666682
auto entry = env->package_json_cache.emplace(path,
667683
PackageConfig { Exists::Yes, IsValid::Yes, has_main, main_std,
684+
has_name, name_std,
668685
pkg_type, Global<Value>() });
669686
return Just(&entry.first->second);
670687
}
@@ -694,6 +711,7 @@ Maybe<const PackageConfig*> GetPackageScopeConfig(Environment* env,
694711
}
695712
auto entry = env->package_json_cache.emplace(pjson_url.ToFilePath(),
696713
PackageConfig { Exists::No, IsValid::Yes, HasMain::No, "",
714+
HasName::No, "",
697715
PackageType::None, Global<Value>() });
698716
const PackageConfig* pcfg = &entry.first->second;
699717
return Just(pcfg);
@@ -1119,6 +1137,62 @@ Maybe<URL> PackageExportsResolve(Environment* env,
11191137
return Nothing<URL>();
11201138
}
11211139

1140+
Maybe<URL> ResolveSelf(Environment* env,
1141+
const std::string& specifier,
1142+
const URL& base) {
1143+
if (!env->options()->experimental_resolve_self) {
1144+
return Nothing<URL>();
1145+
}
1146+
1147+
const PackageConfig* pcfg;
1148+
if (GetPackageScopeConfig(env, base, base).To(&pcfg) &&
1149+
pcfg->exists == Exists::Yes) {
1150+
// TODO(jkrems): Find a way to forward the pair/iterator already generated
1151+
// while executing GetPackageScopeConfig
1152+
URL pjson_url("");
1153+
bool found_pjson = false;
1154+
for (auto it = env->package_json_cache.begin();
1155+
it != env->package_json_cache.end();
1156+
++it) {
1157+
if (&it->second == pcfg) {
1158+
pjson_url = URL::FromFilePath(it->first);
1159+
found_pjson = true;
1160+
}
1161+
}
1162+
1163+
if (!found_pjson) {
1164+
return Nothing<URL>();
1165+
}
1166+
1167+
// "If specifier starts with pcfg name"
1168+
std::string subpath;
1169+
if (specifier.rfind(pcfg->name, 0)) {
1170+
// We know now: specifier is either equal to name or longer.
1171+
if (specifier == subpath) {
1172+
subpath = "";
1173+
} else if (specifier[pcfg->name.length()] == '/') {
1174+
// Return everything after the slash
1175+
subpath = "." + specifier.substr(pcfg->name.length() + 1);
1176+
} else {
1177+
// The specifier is neither the name of the package nor a subpath of it
1178+
return Nothing<URL>();
1179+
}
1180+
}
1181+
1182+
if (found_pjson && !subpath.length()) {
1183+
return PackageMainResolve(env, pjson_url, *pcfg, base);
1184+
} else if (found_pjson) {
1185+
if (!pcfg->exports.IsEmpty()) {
1186+
return PackageExportsResolve(env, pjson_url, subpath, *pcfg, base);
1187+
} else {
1188+
return FinalizeResolution(env, URL(subpath, pjson_url), base);
1189+
}
1190+
}
1191+
}
1192+
1193+
return Nothing<URL>();
1194+
}
1195+
11221196
Maybe<URL> PackageResolve(Environment* env,
11231197
const std::string& specifier,
11241198
const URL& base) {
@@ -1192,6 +1266,11 @@ Maybe<URL> PackageResolve(Environment* env,
11921266
// Cross-platform root check.
11931267
} while (pjson_path.length() != last_path.length());
11941268

1269+
Maybe<URL> self_url = ResolveSelf(env, specifier, base);
1270+
if (self_url.IsJust()) {
1271+
return self_url;
1272+
}
1273+
11951274
std::string msg = "Cannot find package '" + pkg_name +
11961275
"' imported from " + base.ToFilePath();
11971276
node::THROW_ERR_MODULE_NOT_FOUND(env, msg.c_str());

‎src/node_options.cc

+4
Original file line numberDiff line numberDiff line change
@@ -340,6 +340,10 @@ EnvironmentOptionsParser::EnvironmentOptionsParser() {
340340
"experimental ES Module support and caching modules",
341341
&EnvironmentOptions::experimental_modules,
342342
kAllowedInEnvironment);
343+
AddOption("--experimental-resolve-self",
344+
"experimental support for require/import of the current package",
345+
&EnvironmentOptions::experimental_resolve_self,
346+
kAllowedInEnvironment);
343347
AddOption("--experimental-wasm-modules",
344348
"experimental ES Module support for webassembly modules",
345349
&EnvironmentOptions::experimental_wasm_modules,

‎src/node_options.h

+1
Original file line numberDiff line numberDiff line change
@@ -103,6 +103,7 @@ class EnvironmentOptions : public Options {
103103
bool enable_source_maps = false;
104104
bool experimental_json_modules = false;
105105
bool experimental_modules = false;
106+
bool experimental_resolve_self = false;
106107
std::string es_module_specifier_resolution;
107108
bool experimental_wasm_modules = false;
108109
std::string module_type;

‎test/es-module/test-esm-exports.mjs

+20-1
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,10 @@
1-
// Flags: --experimental-modules
1+
// Flags: --experimental-modules --experimental-resolve-self
22

33
import { mustCall } from '../common/index.mjs';
44
import { ok, deepStrictEqual, strictEqual } from 'assert';
55

66
import { requireFixture, importFixture } from '../fixtures/pkgexports.mjs';
7+
import fromInside from '../fixtures/node_modules/pkgexports/lib/hole.js';
78

89
[requireFixture, importFixture].forEach((loadFixture) => {
910
const isRequire = loadFixture === requireFixture;
@@ -99,6 +100,24 @@ import { requireFixture, importFixture } from '../fixtures/pkgexports.mjs';
99100
}));
100101
});
101102

103+
const { requireFromInside, importFromInside } = fromInside;
104+
[importFromInside, requireFromInside].forEach((loadFromInside) => {
105+
const validSpecifiers = new Map([
106+
// A file not visible from outside of the package
107+
['../not-exported.js', { default: 'not-exported' }],
108+
// Part of the public interface
109+
['@pkgexports/name/valid-cjs', { default: 'asdf' }],
110+
]);
111+
for (const [validSpecifier, expected] of validSpecifiers) {
112+
if (validSpecifier === null) continue;
113+
114+
loadFromInside(validSpecifier)
115+
.then(mustCall((actual) => {
116+
deepStrictEqual({ ...actual }, expected);
117+
}));
118+
}
119+
});
120+
102121
function assertStartsWith(actual, expected) {
103122
const start = actual.toString().substr(0, expected.length);
104123
strictEqual(start, expected);

‎test/fixtures/node_modules/pkgexports/lib/hole.js

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

‎test/fixtures/node_modules/pkgexports/not-exported.js

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

‎test/fixtures/node_modules/pkgexports/package.json

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

0 commit comments

Comments
 (0)
Please sign in to comment.