@rushstack/rush-resolver-cache-plugin 5.167.0 → 5.169.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (39) hide show
  1. package/dist/tsdoc-metadata.json +1 -1
  2. package/lib-esm/afterInstallAsync.js +202 -0
  3. package/lib-esm/afterInstallAsync.js.map +1 -0
  4. package/lib-esm/computeResolverCacheFromLockfileAsync.js +174 -0
  5. package/lib-esm/computeResolverCacheFromLockfileAsync.js.map +1 -0
  6. package/lib-esm/externals.js +22 -0
  7. package/lib-esm/externals.js.map +1 -0
  8. package/lib-esm/helpers.js +145 -0
  9. package/lib-esm/helpers.js.map +1 -0
  10. package/lib-esm/index.js +33 -0
  11. package/lib-esm/index.js.map +1 -0
  12. package/lib-esm/types.js +4 -0
  13. package/lib-esm/types.js.map +1 -0
  14. package/package.json +23 -11
  15. package/rush-plugin-manifest.json +1 -1
  16. /package/{lib → lib-commonjs}/afterInstallAsync.js +0 -0
  17. /package/{lib → lib-commonjs}/afterInstallAsync.js.map +0 -0
  18. /package/{lib → lib-commonjs}/computeResolverCacheFromLockfileAsync.js +0 -0
  19. /package/{lib → lib-commonjs}/computeResolverCacheFromLockfileAsync.js.map +0 -0
  20. /package/{lib → lib-commonjs}/externals.js +0 -0
  21. /package/{lib → lib-commonjs}/externals.js.map +0 -0
  22. /package/{lib → lib-commonjs}/helpers.js +0 -0
  23. /package/{lib → lib-commonjs}/helpers.js.map +0 -0
  24. /package/{lib → lib-commonjs}/index.js +0 -0
  25. /package/{lib → lib-commonjs}/index.js.map +0 -0
  26. /package/{lib → lib-commonjs}/types.js +0 -0
  27. /package/{lib → lib-commonjs}/types.js.map +0 -0
  28. /package/{lib → lib-dts}/afterInstallAsync.d.ts +0 -0
  29. /package/{lib → lib-dts}/afterInstallAsync.d.ts.map +0 -0
  30. /package/{lib → lib-dts}/computeResolverCacheFromLockfileAsync.d.ts +0 -0
  31. /package/{lib → lib-dts}/computeResolverCacheFromLockfileAsync.d.ts.map +0 -0
  32. /package/{lib → lib-dts}/externals.d.ts +0 -0
  33. /package/{lib → lib-dts}/externals.d.ts.map +0 -0
  34. /package/{lib → lib-dts}/helpers.d.ts +0 -0
  35. /package/{lib → lib-dts}/helpers.d.ts.map +0 -0
  36. /package/{lib → lib-dts}/index.d.ts +0 -0
  37. /package/{lib → lib-dts}/index.d.ts.map +0 -0
  38. /package/{lib → lib-dts}/types.d.ts +0 -0
  39. /package/{lib → lib-dts}/types.d.ts.map +0 -0
@@ -5,7 +5,7 @@
5
5
  "toolPackages": [
6
6
  {
7
7
  "packageName": "@microsoft/api-extractor",
8
- "packageVersion": "7.56.2"
8
+ "packageVersion": "7.56.3"
9
9
  }
10
10
  ]
11
11
  }
@@ -0,0 +1,202 @@
1
+ // Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.
2
+ // See LICENSE in the project root for license information.
3
+ import { Async, FileSystem, PnpmShrinkwrapFile } from './externals';
4
+ import { computeResolverCacheFromLockfileAsync } from './computeResolverCacheFromLockfileAsync';
5
+ /**
6
+ * Gets information used to determine compatibility of optional dependencies.
7
+ * @returns Information about the platform Rush is running on
8
+ */
9
+ function getPlatformInfo() {
10
+ var _a, _b, _c;
11
+ // Acquiring the libc version is a bit more obnoxious than platform and arch,
12
+ // but all of them are ultimately on the same object.
13
+ const { platform: os, arch: cpu, glibcVersionRuntime
14
+ // eslint-disable-next-line @typescript-eslint/no-explicit-any
15
+ } = (_c = (_b = (_a = process.report) === null || _a === void 0 ? void 0 : _a.getReport()) === null || _b === void 0 ? void 0 : _b.header) !== null && _c !== void 0 ? _c : process;
16
+ const libc = glibcVersionRuntime ? 'glibc' : 'musl';
17
+ return {
18
+ os,
19
+ cpu,
20
+ libc
21
+ };
22
+ }
23
+ const END_TOKEN = '/package.json":';
24
+ const RESOLVER_CACHE_FILE_VERSION = 2;
25
+ /**
26
+ * Plugin entry point for after install.
27
+ * @param rushSession - The Rush Session
28
+ * @param rushConfiguration - The Rush Configuration
29
+ * @param subspace - The subspace that was just installed
30
+ * @param variant - The variant that was just installed
31
+ * @param logger - The initialized logger
32
+ */
33
+ export async function afterInstallAsync(rushSession, rushConfiguration, subspace, variant, logger) {
34
+ const { terminal } = logger;
35
+ const rushRoot = `${rushConfiguration.rushJsonFolder}/`;
36
+ const lockFilePath = subspace.getCommittedShrinkwrapFilePath(variant);
37
+ const pnpmStoreDir = `${rushConfiguration.pnpmOptions.pnpmStorePath}/v3/files/`;
38
+ terminal.writeLine(`Using pnpm-lock from: ${lockFilePath}`);
39
+ terminal.writeLine(`Using pnpm store folder: ${pnpmStoreDir}`);
40
+ const workspaceRoot = subspace.getSubspaceTempFolderPath();
41
+ const cacheFilePath = `${workspaceRoot}/resolver-cache.json`;
42
+ const lockFile = PnpmShrinkwrapFile.loadFromFile(lockFilePath, {
43
+ withCaching: true,
44
+ subspaceHasNoProjects: subspace.getProjects().length === 0
45
+ });
46
+ if (!lockFile) {
47
+ throw new Error(`Failed to load shrinkwrap file: ${lockFilePath}`);
48
+ }
49
+ if (!lockFile.hash) {
50
+ throw new Error(`Shrinkwrap file does not have a hash. This indicates linking to an old version of Rush.`);
51
+ }
52
+ try {
53
+ const oldCacheFileContent = await FileSystem.readFileAsync(cacheFilePath);
54
+ const oldCache = JSON.parse(oldCacheFileContent);
55
+ if (oldCache.version === RESOLVER_CACHE_FILE_VERSION && oldCache.shrinkwrapHash === lockFile.hash) {
56
+ // Cache is valid, use it
57
+ return;
58
+ }
59
+ }
60
+ catch (err) {
61
+ // Ignore
62
+ }
63
+ const projectByImporterPath = rushConfiguration.getProjectLookupForRoot(workspaceRoot);
64
+ const subPackageCacheFilePath = `${workspaceRoot}/subpackage-entry-cache.json`;
65
+ terminal.writeLine(`Resolver cache will be written at ${cacheFilePath}`);
66
+ let oldSubPackagesByIntegrity;
67
+ const subPackagesByIntegrity = new Map();
68
+ try {
69
+ const cacheContent = await FileSystem.readFileAsync(subPackageCacheFilePath);
70
+ const cacheJson = JSON.parse(cacheContent);
71
+ if (cacheJson.version !== RESOLVER_CACHE_FILE_VERSION) {
72
+ terminal.writeLine(`Expected subpackage cache version ${RESOLVER_CACHE_FILE_VERSION}, got ${cacheJson.version}`);
73
+ }
74
+ else {
75
+ oldSubPackagesByIntegrity = new Map(cacheJson.subPackagesByIntegrity);
76
+ terminal.writeLine(`Loaded subpackage cache from ${subPackageCacheFilePath}`);
77
+ }
78
+ }
79
+ catch (err) {
80
+ // Ignore
81
+ }
82
+ async function afterExternalPackagesAsync(contexts, missingOptionalDependencies) {
83
+ /**
84
+ * Loads the index file from the pnpm store to discover nested package.json files in an external package
85
+ * For internal packages, assumes there are no nested package.json files.
86
+ * @param context - The context to find nested package.json files for
87
+ * @returns A promise that resolves to the nested package.json paths, false if the package fails to load, or true if the package has no nested package.json files.
88
+ */
89
+ async function tryFindNestedPackageJsonsForContextAsync(context) {
90
+ const { descriptionFileRoot, descriptionFileHash } = context;
91
+ if (descriptionFileHash === undefined) {
92
+ // Assume this package has no nested package json files for now.
93
+ terminal.writeDebugLine(`Package at ${descriptionFileRoot} does not have a file list. Assuming no nested "package.json" files.`);
94
+ return true;
95
+ }
96
+ // Convert an integrity hash like
97
+ // sha512-C6uiGQJ+Gt4RyHXXYt+v9f+SN1v83x68URwgxNQ98cvH8kxiuywWGP4XeNZ1paOzZ63aY3cTciCEQJNFUljlLw==
98
+ // To its hex representation, e.g.
99
+ // 0baba219027e1ade11c875d762dfaff5ff92375bfcdf1ebc511c20c4d43df1cbc7f24c62bb2c1618fe1778d675a5a3b367adda6377137220844093455258e52f
100
+ const prefixIndex = descriptionFileHash.indexOf('-');
101
+ const hash = Buffer.from(descriptionFileHash.slice(prefixIndex + 1), 'base64').toString('hex');
102
+ // The pnpm store directory has index files of package contents at paths:
103
+ // <store>/v3/files/<hash (0-2)>/<hash (2-)>-index.json
104
+ // See https://github.com/pnpm/pnpm/blob/f394cfccda7bc519ceee8c33fc9b68a0f4235532/store/cafs/src/getFilePathInCafs.ts#L33
105
+ const indexPath = `${pnpmStoreDir}${hash.slice(0, 2)}/${hash.slice(2)}-index.json`;
106
+ try {
107
+ const indexContent = await FileSystem.readFileAsync(indexPath);
108
+ let endIndex = indexContent.lastIndexOf(END_TOKEN);
109
+ if (endIndex > 0) {
110
+ const nestedPackageDirs = [];
111
+ do {
112
+ const startIndex = indexContent.lastIndexOf('"', endIndex);
113
+ if (startIndex < 0) {
114
+ throw new Error(`Malformed index file at ${indexPath}: missing starting quote for nested package.json path`);
115
+ }
116
+ const nestedPath = indexContent.slice(startIndex + 1, endIndex);
117
+ nestedPackageDirs.push(nestedPath);
118
+ endIndex = indexContent.lastIndexOf(END_TOKEN, startIndex - 1);
119
+ } while (endIndex > 0);
120
+ return nestedPackageDirs;
121
+ }
122
+ return true;
123
+ }
124
+ catch (error) {
125
+ if (!context.optional) {
126
+ throw new Error(`Error reading index file for: "${context.descriptionFileRoot}" (${descriptionFileHash}): ${error.toString()}`);
127
+ }
128
+ return false;
129
+ }
130
+ }
131
+ /**
132
+ * Loads the index file from the pnpm store to discover nested package.json files in an external package
133
+ * For internal packages, assumes there are no nested package.json files.
134
+ * @param context - The context to find nested package.json files for
135
+ * @returns A promise that resolves when the nested package.json files are found, if applicable
136
+ */
137
+ async function findNestedPackageJsonsForContextAsync(context) {
138
+ var _a;
139
+ const { descriptionFileRoot, descriptionFileHash } = context;
140
+ if (descriptionFileHash === undefined) {
141
+ // Assume this package has no nested package json files for now.
142
+ terminal.writeDebugLine(`Package at ${descriptionFileRoot} does not have a file list. Assuming no nested "package.json" files.`);
143
+ return;
144
+ }
145
+ let result = (_a = oldSubPackagesByIntegrity === null || oldSubPackagesByIntegrity === void 0 ? void 0 : oldSubPackagesByIntegrity.get(descriptionFileHash)) !== null && _a !== void 0 ? _a : subPackagesByIntegrity.get(descriptionFileHash);
146
+ if (result === undefined) {
147
+ result = await tryFindNestedPackageJsonsForContextAsync(context);
148
+ }
149
+ subPackagesByIntegrity.set(descriptionFileHash, result);
150
+ if (result === true) {
151
+ // Default case. Do nothing.
152
+ }
153
+ else if (result === false) {
154
+ terminal.writeLine(`Trimming missing optional dependency at: ${descriptionFileRoot}`);
155
+ contexts.delete(descriptionFileRoot);
156
+ missingOptionalDependencies.add(descriptionFileRoot);
157
+ }
158
+ else {
159
+ terminal.writeDebugLine(`Nested "package.json" files found for package at ${descriptionFileRoot}: ${result.join(', ')}`);
160
+ // eslint-disable-next-line require-atomic-updates
161
+ context.nestedPackageDirs = result;
162
+ }
163
+ }
164
+ // For external packages, update the contexts with data from the pnpm store
165
+ // This gives us the list of nested package.json files, as well as the actual package name
166
+ // We could also cache package.json contents, but that proves to be inefficient.
167
+ await Async.forEachAsync(contexts.values(), findNestedPackageJsonsForContextAsync, {
168
+ concurrency: 20
169
+ });
170
+ }
171
+ const rawCacheFile = await computeResolverCacheFromLockfileAsync({
172
+ workspaceRoot,
173
+ commonPrefixToTrim: rushRoot,
174
+ platformInfo: getPlatformInfo(),
175
+ projectByImporterPath,
176
+ lockfile: lockFile,
177
+ afterExternalPackagesAsync
178
+ });
179
+ const extendedCacheFile = {
180
+ version: RESOLVER_CACHE_FILE_VERSION,
181
+ shrinkwrapHash: lockFile.hash,
182
+ ...rawCacheFile
183
+ };
184
+ const newSubPackageCache = {
185
+ version: RESOLVER_CACHE_FILE_VERSION,
186
+ subPackagesByIntegrity: Array.from(subPackagesByIntegrity)
187
+ };
188
+ const serializedSubpackageCache = JSON.stringify(newSubPackageCache);
189
+ const serialized = JSON.stringify(extendedCacheFile);
190
+ await Promise.all([
191
+ FileSystem.writeFileAsync(cacheFilePath, serialized, {
192
+ ensureFolderExists: true
193
+ }),
194
+ FileSystem.writeFileAsync(subPackageCacheFilePath, serializedSubpackageCache, {
195
+ ensureFolderExists: true
196
+ })
197
+ ]);
198
+ // Free the memory used by the lockfiles, since nothing should read the lockfile from this point on.
199
+ PnpmShrinkwrapFile.clearCache();
200
+ terminal.writeLine(`Resolver cache written.`);
201
+ }
202
+ //# sourceMappingURL=afterInstallAsync.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"afterInstallAsync.js","sourceRoot":"","sources":["../src/afterInstallAsync.ts"],"names":[],"mappings":"AAAA,4FAA4F;AAC5F,2DAA2D;AAY3D,OAAO,EAAE,KAAK,EAAE,UAAU,EAAE,kBAAkB,EAAE,MAAM,aAAa,CAAC;AACpE,OAAO,EACL,qCAAqC,EAEtC,MAAM,yCAAyC,CAAC;AAGjD;;;GAGG;AACH,SAAS,eAAe;;IACtB,6EAA6E;IAC7E,qDAAqD;IACrD,MAAM,EACJ,QAAQ,EAAE,EAAE,EACZ,IAAI,EAAE,GAAG,EACT,mBAAmB;IACnB,8DAA8D;MAC/D,GAAG,MAAA,MAAC,MAAA,OAAO,CAAC,MAAM,0CAAE,SAAS,EAAU,0CAAE,MAAM,mCAAI,OAAO,CAAC;IAC5D,MAAM,IAAI,GAAqB,mBAAmB,CAAC,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,MAAM,CAAC;IAEtE,OAAO;QACL,EAAE;QACF,GAAG;QACH,IAAI;KACL,CAAC;AACJ,CAAC;AAED,MAAM,SAAS,GAAW,iBAAiB,CAAC;AAC5C,MAAM,2BAA2B,GAAM,CAAC,CAAC;AAkBzC;;;;;;;GAOG;AACH,MAAM,CAAC,KAAK,UAAU,iBAAiB,CACrC,WAAwB,EACxB,iBAAoC,EACpC,QAAkB,EAClB,OAA2B,EAC3B,MAAe;IAEf,MAAM,EAAE,QAAQ,EAAE,GAAG,MAAM,CAAC;IAC5B,MAAM,QAAQ,GAAW,GAAG,iBAAiB,CAAC,cAAc,GAAG,CAAC;IAEhE,MAAM,YAAY,GAAW,QAAQ,CAAC,8BAA8B,CAAC,OAAO,CAAC,CAAC;IAE9E,MAAM,YAAY,GAAW,GAAG,iBAAiB,CAAC,WAAW,CAAC,aAAa,YAAY,CAAC;IAExF,QAAQ,CAAC,SAAS,CAAC,yBAAyB,YAAY,EAAE,CAAC,CAAC;IAC5D,QAAQ,CAAC,SAAS,CAAC,4BAA4B,YAAY,EAAE,CAAC,CAAC;IAE/D,MAAM,aAAa,GAAW,QAAQ,CAAC,yBAAyB,EAAE,CAAC;IACnE,MAAM,aAAa,GAAW,GAAG,aAAa,sBAAsB,CAAC;IAErE,MAAM,QAAQ,GAAmC,kBAAkB,CAAC,YAAY,CAAC,YAAY,EAAE;QAC7F,WAAW,EAAE,IAAI;QACjB,qBAAqB,EAAE,QAAQ,CAAC,WAAW,EAAE,CAAC,MAAM,KAAK,CAAC;KAC3D,CAAC,CAAC;IACH,IAAI,CAAC,QAAQ,EAAE,CAAC;QACd,MAAM,IAAI,KAAK,CAAC,mCAAmC,YAAY,EAAE,CAAC,CAAC;IACrE,CAAC;IAED,IAAI,CAAC,QAAQ,CAAC,IAAI,EAAE,CAAC;QACnB,MAAM,IAAI,KAAK,CACb,yFAAyF,CAC1F,CAAC;IACJ,CAAC;IAED,IAAI,CAAC;QACH,MAAM,mBAAmB,GAAW,MAAM,UAAU,CAAC,aAAa,CAAC,aAAa,CAAC,CAAC;QAClF,MAAM,QAAQ,GAA+B,IAAI,CAAC,KAAK,CAAC,mBAAmB,CAAC,CAAC;QAC7E,IAAI,QAAQ,CAAC,OAAO,KAAK,2BAA2B,IAAI,QAAQ,CAAC,cAAc,KAAK,QAAQ,CAAC,IAAI,EAAE,CAAC;YAClG,yBAAyB;YACzB,OAAO;QACT,CAAC;IACH,CAAC;IAAC,OAAO,GAAG,EAAE,CAAC;QACb,SAAS;IACX,CAAC;IAED,MAAM,qBAAqB,GACzB,iBAAiB,CAAC,uBAAuB,CAAC,aAAa,CAAC,CAAC;IAE3D,MAAM,uBAAuB,GAAW,GAAG,aAAa,8BAA8B,CAAC;IAEvF,QAAQ,CAAC,SAAS,CAAC,qCAAqC,aAAa,EAAE,CAAC,CAAC;IAEzE,IAAI,yBAAsE,CAAC;IAC3E,MAAM,sBAAsB,GAAoC,IAAI,GAAG,EAAE,CAAC;IAC1E,IAAI,CAAC;QACH,MAAM,YAAY,GAAW,MAAM,UAAU,CAAC,aAAa,CAAC,uBAAuB,CAAC,CAAC;QACrF,MAAM,SAAS,GAA4B,IAAI,CAAC,KAAK,CAAC,YAAY,CAAC,CAAC;QACpE,IAAI,SAAS,CAAC,OAAO,KAAK,2BAA2B,EAAE,CAAC;YACtD,QAAQ,CAAC,SAAS,CAChB,qCAAqC,2BAA2B,SAAS,SAAS,CAAC,OAAO,EAAE,CAC7F,CAAC;QACJ,CAAC;aAAM,CAAC;YACN,yBAAyB,GAAG,IAAI,GAAG,CAAC,SAAS,CAAC,sBAAsB,CAAC,CAAC;YACtE,QAAQ,CAAC,SAAS,CAAC,gCAAgC,uBAAuB,EAAE,CAAC,CAAC;QAChF,CAAC;IACH,CAAC;IAAC,OAAO,GAAG,EAAE,CAAC;QACb,SAAS;IACX,CAAC;IAED,KAAK,UAAU,0BAA0B,CACvC,QAAuC,EACvC,2BAAwC;QAExC;;;;;WAKG;QACH,KAAK,UAAU,wCAAwC,CACrD,OAAyB;YAEzB,MAAM,EAAE,mBAAmB,EAAE,mBAAmB,EAAE,GAAG,OAAO,CAAC;YAE7D,IAAI,mBAAmB,KAAK,SAAS,EAAE,CAAC;gBACtC,gEAAgE;gBAChE,QAAQ,CAAC,cAAc,CACrB,cAAc,mBAAmB,sEAAsE,CACxG,CAAC;gBACF,OAAO,IAAI,CAAC;YACd,CAAC;YAED,iCAAiC;YACjC,kGAAkG;YAClG,kCAAkC;YAClC,mIAAmI;YACnI,MAAM,WAAW,GAAW,mBAAmB,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC;YAC7D,MAAM,IAAI,GAAW,MAAM,CAAC,IAAI,CAAC,mBAAmB,CAAC,KAAK,CAAC,WAAW,GAAG,CAAC,CAAC,EAAE,QAAQ,CAAC,CAAC,QAAQ,CAAC,KAAK,CAAC,CAAC;YAEvG,yEAAyE;YACzE,uDAAuD;YACvD,yHAAyH;YACzH,MAAM,SAAS,GAAW,GAAG,YAAY,GAAG,IAAI,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,IAAI,IAAI,CAAC,KAAK,CAAC,CAAC,CAAC,aAAa,CAAC;YAE3F,IAAI,CAAC;gBACH,MAAM,YAAY,GAAW,MAAM,UAAU,CAAC,aAAa,CAAC,SAAS,CAAC,CAAC;gBACvE,IAAI,QAAQ,GAAW,YAAY,CAAC,WAAW,CAAC,SAAS,CAAC,CAAC;gBAC3D,IAAI,QAAQ,GAAG,CAAC,EAAE,CAAC;oBACjB,MAAM,iBAAiB,GAAa,EAAE,CAAC;oBACvC,GAAG,CAAC;wBACF,MAAM,UAAU,GAAW,YAAY,CAAC,WAAW,CAAC,GAAG,EAAE,QAAQ,CAAC,CAAC;wBACnE,IAAI,UAAU,GAAG,CAAC,EAAE,CAAC;4BACnB,MAAM,IAAI,KAAK,CACb,2BAA2B,SAAS,uDAAuD,CAC5F,CAAC;wBACJ,CAAC;wBACD,MAAM,UAAU,GAAW,YAAY,CAAC,KAAK,CAAC,UAAU,GAAG,CAAC,EAAE,QAAQ,CAAC,CAAC;wBACxE,iBAAiB,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;wBACnC,QAAQ,GAAG,YAAY,CAAC,WAAW,CAAC,SAAS,EAAE,UAAU,GAAG,CAAC,CAAC,CAAC;oBACjE,CAAC,QAAQ,QAAQ,GAAG,CAAC,EAAE;oBACvB,OAAO,iBAAiB,CAAC;gBAC3B,CAAC;gBACD,OAAO,IAAI,CAAC;YACd,CAAC;YAAC,OAAO,KAAK,EAAE,CAAC;gBACf,IAAI,CAAC,OAAO,CAAC,QAAQ,EAAE,CAAC;oBACtB,MAAM,IAAI,KAAK,CACb,kCACE,OAAO,CAAC,mBACV,MAAM,mBAAmB,MAAM,KAAK,CAAC,QAAQ,EAAE,EAAE,CAClD,CAAC;gBACJ,CAAC;gBACD,OAAO,KAAK,CAAC;YACf,CAAC;QACH,CAAC;QACD;;;;;WAKG;QACH,KAAK,UAAU,qCAAqC,CAAC,OAAyB;;YAC5E,MAAM,EAAE,mBAAmB,EAAE,mBAAmB,EAAE,GAAG,OAAO,CAAC;YAE7D,IAAI,mBAAmB,KAAK,SAAS,EAAE,CAAC;gBACtC,gEAAgE;gBAChE,QAAQ,CAAC,cAAc,CACrB,cAAc,mBAAmB,sEAAsE,CACxG,CAAC;gBACF,OAAO;YACT,CAAC;YAED,IAAI,MAAM,GACR,MAAA,yBAAyB,aAAzB,yBAAyB,uBAAzB,yBAAyB,CAAE,GAAG,CAAC,mBAAmB,CAAC,mCACnD,sBAAsB,CAAC,GAAG,CAAC,mBAAmB,CAAC,CAAC;YAClD,IAAI,MAAM,KAAK,SAAS,EAAE,CAAC;gBACzB,MAAM,GAAG,MAAM,wCAAwC,CAAC,OAAO,CAAC,CAAC;YACnE,CAAC;YACD,sBAAsB,CAAC,GAAG,CAAC,mBAAmB,EAAE,MAAM,CAAC,CAAC;YACxD,IAAI,MAAM,KAAK,IAAI,EAAE,CAAC;gBACpB,4BAA4B;YAC9B,CAAC;iBAAM,IAAI,MAAM,KAAK,KAAK,EAAE,CAAC;gBAC5B,QAAQ,CAAC,SAAS,CAAC,4CAA4C,mBAAmB,EAAE,CAAC,CAAC;gBACtF,QAAQ,CAAC,MAAM,CAAC,mBAAmB,CAAC,CAAC;gBACrC,2BAA2B,CAAC,GAAG,CAAC,mBAAmB,CAAC,CAAC;YACvD,CAAC;iBAAM,CAAC;gBACN,QAAQ,CAAC,cAAc,CACrB,oDAAoD,mBAAmB,KAAK,MAAM,CAAC,IAAI,CAAC,IAAI,CAAC,EAAE,CAChG,CAAC;gBACF,kDAAkD;gBAClD,OAAO,CAAC,iBAAiB,GAAG,MAAM,CAAC;YACrC,CAAC;QACH,CAAC;QAED,2EAA2E;QAC3E,0FAA0F;QAC1F,gFAAgF;QAChF,MAAM,KAAK,CAAC,YAAY,CAAC,QAAQ,CAAC,MAAM,EAAE,EAAE,qCAAqC,EAAE;YACjF,WAAW,EAAE,EAAE;SAChB,CAAC,CAAC;IACL,CAAC;IAED,MAAM,YAAY,GAAuB,MAAM,qCAAqC,CAAC;QACnF,aAAa;QACb,kBAAkB,EAAE,QAAQ;QAC5B,YAAY,EAAE,eAAe,EAAE;QAC/B,qBAAqB;QACrB,QAAQ,EAAE,QAAQ;QAClB,0BAA0B;KAC3B,CAAC,CAAC;IAEH,MAAM,iBAAiB,GAA+B;QACpD,OAAO,EAAE,2BAA2B;QACpC,cAAc,EAAE,QAAQ,CAAC,IAAI;QAC7B,GAAG,YAAY;KAChB,CAAC;IAEF,MAAM,kBAAkB,GAA4B;QAClD,OAAO,EAAE,2BAA2B;QACpC,sBAAsB,EAAE,KAAK,CAAC,IAAI,CAAC,sBAAsB,CAAC;KAC3D,CAAC;IACF,MAAM,yBAAyB,GAAW,IAAI,CAAC,SAAS,CAAC,kBAAkB,CAAC,CAAC;IAE7E,MAAM,UAAU,GAAW,IAAI,CAAC,SAAS,CAAC,iBAAiB,CAAC,CAAC;IAE7D,MAAM,OAAO,CAAC,GAAG,CAAC;QAChB,UAAU,CAAC,cAAc,CAAC,aAAa,EAAE,UAAU,EAAE;YACnD,kBAAkB,EAAE,IAAI;SACzB,CAAC;QACF,UAAU,CAAC,cAAc,CAAC,uBAAuB,EAAE,yBAAyB,EAAE;YAC5E,kBAAkB,EAAE,IAAI;SACzB,CAAC;KACH,CAAC,CAAC;IAEH,oGAAoG;IACpG,kBAAkB,CAAC,UAAU,EAAE,CAAC;IAEhC,QAAQ,CAAC,SAAS,CAAC,yBAAyB,CAAC,CAAC;AAChD,CAAC","sourcesContent":["// Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.\n// See LICENSE in the project root for license information.\n\nimport type {\n RushSession,\n RushConfiguration,\n RushConfigurationProject,\n ILogger,\n LookupByPath,\n Subspace\n} from '@rushstack/rush-sdk';\nimport type { IResolverCacheFile } from '@rushstack/webpack-workspace-resolve-plugin';\n\nimport { Async, FileSystem, PnpmShrinkwrapFile } from './externals';\nimport {\n computeResolverCacheFromLockfileAsync,\n type IPlatformInfo\n} from './computeResolverCacheFromLockfileAsync';\nimport type { IResolverContext } from './types';\n\n/**\n * Gets information used to determine compatibility of optional dependencies.\n * @returns Information about the platform Rush is running on\n */\nfunction getPlatformInfo(): IPlatformInfo {\n // Acquiring the libc version is a bit more obnoxious than platform and arch,\n // but all of them are ultimately on the same object.\n const {\n platform: os,\n arch: cpu,\n glibcVersionRuntime\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n } = (process.report?.getReport() as any)?.header ?? process;\n const libc: 'glibc' | 'musl' = glibcVersionRuntime ? 'glibc' : 'musl';\n\n return {\n os,\n cpu,\n libc\n };\n}\n\nconst END_TOKEN: string = '/package.json\":';\nconst RESOLVER_CACHE_FILE_VERSION: 2 = 2;\n\ninterface IExtendedResolverCacheFile extends IResolverCacheFile {\n /**\n * The hash of the shrinkwrap file this cache file was generated from.\n */\n shrinkwrapHash: string;\n /**\n * The version of the resolver cache file.\n */\n version: number;\n}\n\ninterface INestedPackageJsonCache {\n subPackagesByIntegrity: [string, string[] | boolean][];\n version: number;\n}\n\n/**\n * Plugin entry point for after install.\n * @param rushSession - The Rush Session\n * @param rushConfiguration - The Rush Configuration\n * @param subspace - The subspace that was just installed\n * @param variant - The variant that was just installed\n * @param logger - The initialized logger\n */\nexport async function afterInstallAsync(\n rushSession: RushSession,\n rushConfiguration: RushConfiguration,\n subspace: Subspace,\n variant: string | undefined,\n logger: ILogger\n): Promise<void> {\n const { terminal } = logger;\n const rushRoot: string = `${rushConfiguration.rushJsonFolder}/`;\n\n const lockFilePath: string = subspace.getCommittedShrinkwrapFilePath(variant);\n\n const pnpmStoreDir: string = `${rushConfiguration.pnpmOptions.pnpmStorePath}/v3/files/`;\n\n terminal.writeLine(`Using pnpm-lock from: ${lockFilePath}`);\n terminal.writeLine(`Using pnpm store folder: ${pnpmStoreDir}`);\n\n const workspaceRoot: string = subspace.getSubspaceTempFolderPath();\n const cacheFilePath: string = `${workspaceRoot}/resolver-cache.json`;\n\n const lockFile: PnpmShrinkwrapFile | undefined = PnpmShrinkwrapFile.loadFromFile(lockFilePath, {\n withCaching: true,\n subspaceHasNoProjects: subspace.getProjects().length === 0\n });\n if (!lockFile) {\n throw new Error(`Failed to load shrinkwrap file: ${lockFilePath}`);\n }\n\n if (!lockFile.hash) {\n throw new Error(\n `Shrinkwrap file does not have a hash. This indicates linking to an old version of Rush.`\n );\n }\n\n try {\n const oldCacheFileContent: string = await FileSystem.readFileAsync(cacheFilePath);\n const oldCache: IExtendedResolverCacheFile = JSON.parse(oldCacheFileContent);\n if (oldCache.version === RESOLVER_CACHE_FILE_VERSION && oldCache.shrinkwrapHash === lockFile.hash) {\n // Cache is valid, use it\n return;\n }\n } catch (err) {\n // Ignore\n }\n\n const projectByImporterPath: LookupByPath<RushConfigurationProject> =\n rushConfiguration.getProjectLookupForRoot(workspaceRoot);\n\n const subPackageCacheFilePath: string = `${workspaceRoot}/subpackage-entry-cache.json`;\n\n terminal.writeLine(`Resolver cache will be written at ${cacheFilePath}`);\n\n let oldSubPackagesByIntegrity: Map<string, string[] | boolean> | undefined;\n const subPackagesByIntegrity: Map<string, string[] | boolean> = new Map();\n try {\n const cacheContent: string = await FileSystem.readFileAsync(subPackageCacheFilePath);\n const cacheJson: INestedPackageJsonCache = JSON.parse(cacheContent);\n if (cacheJson.version !== RESOLVER_CACHE_FILE_VERSION) {\n terminal.writeLine(\n `Expected subpackage cache version ${RESOLVER_CACHE_FILE_VERSION}, got ${cacheJson.version}`\n );\n } else {\n oldSubPackagesByIntegrity = new Map(cacheJson.subPackagesByIntegrity);\n terminal.writeLine(`Loaded subpackage cache from ${subPackageCacheFilePath}`);\n }\n } catch (err) {\n // Ignore\n }\n\n async function afterExternalPackagesAsync(\n contexts: Map<string, IResolverContext>,\n missingOptionalDependencies: Set<string>\n ): Promise<void> {\n /**\n * Loads the index file from the pnpm store to discover nested package.json files in an external package\n * For internal packages, assumes there are no nested package.json files.\n * @param context - The context to find nested package.json files for\n * @returns A promise that resolves to the nested package.json paths, false if the package fails to load, or true if the package has no nested package.json files.\n */\n async function tryFindNestedPackageJsonsForContextAsync(\n context: IResolverContext\n ): Promise<string[] | boolean> {\n const { descriptionFileRoot, descriptionFileHash } = context;\n\n if (descriptionFileHash === undefined) {\n // Assume this package has no nested package json files for now.\n terminal.writeDebugLine(\n `Package at ${descriptionFileRoot} does not have a file list. Assuming no nested \"package.json\" files.`\n );\n return true;\n }\n\n // Convert an integrity hash like\n // sha512-C6uiGQJ+Gt4RyHXXYt+v9f+SN1v83x68URwgxNQ98cvH8kxiuywWGP4XeNZ1paOzZ63aY3cTciCEQJNFUljlLw==\n // To its hex representation, e.g.\n // 0baba219027e1ade11c875d762dfaff5ff92375bfcdf1ebc511c20c4d43df1cbc7f24c62bb2c1618fe1778d675a5a3b367adda6377137220844093455258e52f\n const prefixIndex: number = descriptionFileHash.indexOf('-');\n const hash: string = Buffer.from(descriptionFileHash.slice(prefixIndex + 1), 'base64').toString('hex');\n\n // The pnpm store directory has index files of package contents at paths:\n // <store>/v3/files/<hash (0-2)>/<hash (2-)>-index.json\n // See https://github.com/pnpm/pnpm/blob/f394cfccda7bc519ceee8c33fc9b68a0f4235532/store/cafs/src/getFilePathInCafs.ts#L33\n const indexPath: string = `${pnpmStoreDir}${hash.slice(0, 2)}/${hash.slice(2)}-index.json`;\n\n try {\n const indexContent: string = await FileSystem.readFileAsync(indexPath);\n let endIndex: number = indexContent.lastIndexOf(END_TOKEN);\n if (endIndex > 0) {\n const nestedPackageDirs: string[] = [];\n do {\n const startIndex: number = indexContent.lastIndexOf('\"', endIndex);\n if (startIndex < 0) {\n throw new Error(\n `Malformed index file at ${indexPath}: missing starting quote for nested package.json path`\n );\n }\n const nestedPath: string = indexContent.slice(startIndex + 1, endIndex);\n nestedPackageDirs.push(nestedPath);\n endIndex = indexContent.lastIndexOf(END_TOKEN, startIndex - 1);\n } while (endIndex > 0);\n return nestedPackageDirs;\n }\n return true;\n } catch (error) {\n if (!context.optional) {\n throw new Error(\n `Error reading index file for: \"${\n context.descriptionFileRoot\n }\" (${descriptionFileHash}): ${error.toString()}`\n );\n }\n return false;\n }\n }\n /**\n * Loads the index file from the pnpm store to discover nested package.json files in an external package\n * For internal packages, assumes there are no nested package.json files.\n * @param context - The context to find nested package.json files for\n * @returns A promise that resolves when the nested package.json files are found, if applicable\n */\n async function findNestedPackageJsonsForContextAsync(context: IResolverContext): Promise<void> {\n const { descriptionFileRoot, descriptionFileHash } = context;\n\n if (descriptionFileHash === undefined) {\n // Assume this package has no nested package json files for now.\n terminal.writeDebugLine(\n `Package at ${descriptionFileRoot} does not have a file list. Assuming no nested \"package.json\" files.`\n );\n return;\n }\n\n let result: string[] | boolean | undefined =\n oldSubPackagesByIntegrity?.get(descriptionFileHash) ??\n subPackagesByIntegrity.get(descriptionFileHash);\n if (result === undefined) {\n result = await tryFindNestedPackageJsonsForContextAsync(context);\n }\n subPackagesByIntegrity.set(descriptionFileHash, result);\n if (result === true) {\n // Default case. Do nothing.\n } else if (result === false) {\n terminal.writeLine(`Trimming missing optional dependency at: ${descriptionFileRoot}`);\n contexts.delete(descriptionFileRoot);\n missingOptionalDependencies.add(descriptionFileRoot);\n } else {\n terminal.writeDebugLine(\n `Nested \"package.json\" files found for package at ${descriptionFileRoot}: ${result.join(', ')}`\n );\n // eslint-disable-next-line require-atomic-updates\n context.nestedPackageDirs = result;\n }\n }\n\n // For external packages, update the contexts with data from the pnpm store\n // This gives us the list of nested package.json files, as well as the actual package name\n // We could also cache package.json contents, but that proves to be inefficient.\n await Async.forEachAsync(contexts.values(), findNestedPackageJsonsForContextAsync, {\n concurrency: 20\n });\n }\n\n const rawCacheFile: IResolverCacheFile = await computeResolverCacheFromLockfileAsync({\n workspaceRoot,\n commonPrefixToTrim: rushRoot,\n platformInfo: getPlatformInfo(),\n projectByImporterPath,\n lockfile: lockFile,\n afterExternalPackagesAsync\n });\n\n const extendedCacheFile: IExtendedResolverCacheFile = {\n version: RESOLVER_CACHE_FILE_VERSION,\n shrinkwrapHash: lockFile.hash,\n ...rawCacheFile\n };\n\n const newSubPackageCache: INestedPackageJsonCache = {\n version: RESOLVER_CACHE_FILE_VERSION,\n subPackagesByIntegrity: Array.from(subPackagesByIntegrity)\n };\n const serializedSubpackageCache: string = JSON.stringify(newSubPackageCache);\n\n const serialized: string = JSON.stringify(extendedCacheFile);\n\n await Promise.all([\n FileSystem.writeFileAsync(cacheFilePath, serialized, {\n ensureFolderExists: true\n }),\n FileSystem.writeFileAsync(subPackageCacheFilePath, serializedSubpackageCache, {\n ensureFolderExists: true\n })\n ]);\n\n // Free the memory used by the lockfiles, since nothing should read the lockfile from this point on.\n PnpmShrinkwrapFile.clearCache();\n\n terminal.writeLine(`Resolver cache written.`);\n}\n"]}
@@ -0,0 +1,174 @@
1
+ // Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.
2
+ // See LICENSE in the project root for license information.
3
+ import { getDescriptionFileRootFromKey, resolveDependencies, createContextSerializer } from './helpers';
4
+ function isPackageCompatible(pack, platformInfo) {
5
+ var _a, _b, _c;
6
+ if ((_a = pack.os) === null || _a === void 0 ? void 0 : _a.every((value) => value.toLowerCase() !== platformInfo.os)) {
7
+ return false;
8
+ }
9
+ if ((_b = pack.cpu) === null || _b === void 0 ? void 0 : _b.every((value) => value.toLowerCase() !== platformInfo.cpu)) {
10
+ return false;
11
+ }
12
+ if ((_c = pack.libc) === null || _c === void 0 ? void 0 : _c.every((value) => value.toLowerCase() !== platformInfo.libc)) {
13
+ return false;
14
+ }
15
+ return true;
16
+ }
17
+ function extractBundledDependencies(contexts, context) {
18
+ var _a;
19
+ let { nestedPackageDirs } = context;
20
+ if (!nestedPackageDirs) {
21
+ return;
22
+ }
23
+ let foundBundledDependencies = false;
24
+ for (let i = nestedPackageDirs.length - 1; i >= 0; i--) {
25
+ const nestedDir = nestedPackageDirs[i];
26
+ if (!nestedDir.startsWith('node_modules/')) {
27
+ continue;
28
+ }
29
+ const isScoped = nestedDir.charAt(/* 'node_modules/'.length */ 13) === '@';
30
+ let index = nestedDir.indexOf('/', 13);
31
+ if (isScoped) {
32
+ index = nestedDir.indexOf('/', index + 1);
33
+ }
34
+ const name = index === -1 ? nestedDir.slice(13) : nestedDir.slice(13, index);
35
+ if (name.startsWith('.')) {
36
+ continue;
37
+ }
38
+ if (!foundBundledDependencies) {
39
+ foundBundledDependencies = true;
40
+ // Make a copy of the nestedPackageDirs array so that we don't mutate the version being
41
+ // saved into the subpackage index cache.
42
+ context.nestedPackageDirs = nestedPackageDirs = nestedPackageDirs.slice(0);
43
+ }
44
+ // Remove this nested package from the list
45
+ nestedPackageDirs.splice(i, 1);
46
+ const remainder = index === -1 ? '' : nestedDir.slice(index + 1);
47
+ const nestedRoot = `${context.descriptionFileRoot}/node_modules/${name}`;
48
+ let nestedContext = contexts.get(nestedRoot);
49
+ if (!nestedContext) {
50
+ nestedContext = {
51
+ descriptionFileRoot: nestedRoot,
52
+ descriptionFileHash: undefined,
53
+ isProject: false,
54
+ name,
55
+ deps: new Map(),
56
+ ordinal: -1
57
+ };
58
+ contexts.set(nestedRoot, nestedContext);
59
+ }
60
+ context.deps.set(name, nestedRoot);
61
+ if (remainder) {
62
+ (_a = nestedContext.nestedPackageDirs) !== null && _a !== void 0 ? _a : (nestedContext.nestedPackageDirs = []);
63
+ nestedContext.nestedPackageDirs.push(remainder);
64
+ }
65
+ }
66
+ }
67
+ /**
68
+ * Copied from `@rushstack/node-core-library/src/Path.ts` to avoid expensive dependency
69
+ * @param path - Path using backslashes as path separators
70
+ * @returns The same string using forward slashes as path separators
71
+ */
72
+ function convertToSlashes(path) {
73
+ return path.replace(/\\/g, '/');
74
+ }
75
+ /**
76
+ * Given a lockfile and information about the workspace and platform, computes the resolver cache file.
77
+ * @param params - The options for computing the resolver cache
78
+ * @returns A promise that resolves with the resolver cache file
79
+ */
80
+ export async function computeResolverCacheFromLockfileAsync(params) {
81
+ var _a;
82
+ const { platformInfo, projectByImporterPath, lockfile, afterExternalPackagesAsync } = params;
83
+ // Needs to be normalized to `/` for path.posix.join to work correctly
84
+ const workspaceRoot = convertToSlashes(params.workspaceRoot);
85
+ // Needs to be normalized to `/` for path.posix.join to work correctly
86
+ const commonPrefixToTrim = convertToSlashes(params.commonPrefixToTrim);
87
+ const contexts = new Map();
88
+ const missingOptionalDependencies = new Set();
89
+ // Enumerate external dependencies first, to simplify looping over them for store data
90
+ for (const [key, pack] of lockfile.packages) {
91
+ let name = pack.name;
92
+ const descriptionFileRoot = getDescriptionFileRootFromKey(workspaceRoot, key, name);
93
+ // Skip optional dependencies that are incompatible with the current environment
94
+ if (pack.optional && !isPackageCompatible(pack, platformInfo)) {
95
+ missingOptionalDependencies.add(descriptionFileRoot);
96
+ continue;
97
+ }
98
+ const integrity = (_a = pack.resolution) === null || _a === void 0 ? void 0 : _a.integrity;
99
+ if (!name && key.startsWith('/')) {
100
+ const versionIndex = key.indexOf('@', 2);
101
+ name = key.slice(1, versionIndex);
102
+ }
103
+ if (!name) {
104
+ throw new Error(`Missing name for ${key}`);
105
+ }
106
+ const context = {
107
+ descriptionFileRoot,
108
+ descriptionFileHash: integrity,
109
+ isProject: false,
110
+ name,
111
+ deps: new Map(),
112
+ ordinal: -1,
113
+ optional: pack.optional
114
+ };
115
+ contexts.set(descriptionFileRoot, context);
116
+ if (pack.dependencies) {
117
+ resolveDependencies(workspaceRoot, pack.dependencies, context);
118
+ }
119
+ if (pack.optionalDependencies) {
120
+ resolveDependencies(workspaceRoot, pack.optionalDependencies, context);
121
+ }
122
+ }
123
+ if (afterExternalPackagesAsync) {
124
+ await afterExternalPackagesAsync(contexts, missingOptionalDependencies);
125
+ }
126
+ for (const context of contexts.values()) {
127
+ if (context.nestedPackageDirs) {
128
+ extractBundledDependencies(contexts, context);
129
+ }
130
+ }
131
+ // Add the data for workspace projects
132
+ for (const [importerPath, importer] of lockfile.importers) {
133
+ // Ignore the root project. This plugin assumes you don't have one.
134
+ // A non-empty root project results in global dependency hoisting, and that's bad for strictness.
135
+ if (importerPath === '.') {
136
+ continue;
137
+ }
138
+ const project = projectByImporterPath.findChildPath(importerPath);
139
+ if (!project) {
140
+ throw new Error(`Missing project for importer ${importerPath}`);
141
+ }
142
+ const descriptionFileRoot = convertToSlashes(project.projectFolder);
143
+ const context = {
144
+ descriptionFileRoot,
145
+ descriptionFileHash: undefined, // Not needed anymore
146
+ name: project.packageJson.name,
147
+ isProject: true,
148
+ deps: new Map(),
149
+ ordinal: -1
150
+ };
151
+ contexts.set(descriptionFileRoot, context);
152
+ if (importer.dependencies) {
153
+ resolveDependencies(workspaceRoot, importer.dependencies, context);
154
+ }
155
+ if (importer.devDependencies) {
156
+ resolveDependencies(workspaceRoot, importer.devDependencies, context);
157
+ }
158
+ if (importer.optionalDependencies) {
159
+ resolveDependencies(workspaceRoot, importer.optionalDependencies, context);
160
+ }
161
+ }
162
+ let ordinal = 0;
163
+ for (const context of contexts.values()) {
164
+ context.ordinal = ordinal++;
165
+ }
166
+ // Convert the intermediate representation to the final cache file
167
+ const serializedContexts = Array.from(contexts, createContextSerializer(missingOptionalDependencies, contexts, commonPrefixToTrim));
168
+ const cacheFile = {
169
+ basePath: commonPrefixToTrim,
170
+ contexts: serializedContexts
171
+ };
172
+ return cacheFile;
173
+ }
174
+ //# sourceMappingURL=computeResolverCacheFromLockfileAsync.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"computeResolverCacheFromLockfileAsync.js","sourceRoot":"","sources":["../src/computeResolverCacheFromLockfileAsync.ts"],"names":[],"mappings":"AAAA,4FAA4F;AAC5F,2DAA2D;AAU3D,OAAO,EAAE,6BAA6B,EAAE,mBAAmB,EAAE,uBAAuB,EAAE,MAAM,WAAW,CAAC;AAoBxG,SAAS,mBAAmB,CAC1B,IAAgE,EAChE,YAA2B;;IAE3B,IAAI,MAAA,IAAI,CAAC,EAAE,0CAAE,KAAK,CAAC,CAAC,KAAK,EAAE,EAAE,CAAC,KAAK,CAAC,WAAW,EAAE,KAAK,YAAY,CAAC,EAAE,CAAC,EAAE,CAAC;QACvE,OAAO,KAAK,CAAC;IACf,CAAC;IACD,IAAI,MAAA,IAAI,CAAC,GAAG,0CAAE,KAAK,CAAC,CAAC,KAAK,EAAE,EAAE,CAAC,KAAK,CAAC,WAAW,EAAE,KAAK,YAAY,CAAC,GAAG,CAAC,EAAE,CAAC;QACzE,OAAO,KAAK,CAAC;IACf,CAAC;IACD,IAAI,MAAA,IAAI,CAAC,IAAI,0CAAE,KAAK,CAAC,CAAC,KAAK,EAAE,EAAE,CAAC,KAAK,CAAC,WAAW,EAAE,KAAK,YAAY,CAAC,IAAI,CAAC,EAAE,CAAC;QAC3E,OAAO,KAAK,CAAC;IACf,CAAC;IACD,OAAO,IAAI,CAAC;AACd,CAAC;AAED,SAAS,0BAA0B,CACjC,QAAuC,EACvC,OAAyB;;IAEzB,IAAI,EAAE,iBAAiB,EAAE,GAAG,OAAO,CAAC;IACpC,IAAI,CAAC,iBAAiB,EAAE,CAAC;QACvB,OAAO;IACT,CAAC;IAED,IAAI,wBAAwB,GAAY,KAAK,CAAC;IAC9C,KAAK,IAAI,CAAC,GAAW,iBAAiB,CAAC,MAAM,GAAG,CAAC,EAAE,CAAC,IAAI,CAAC,EAAE,CAAC,EAAE,EAAE,CAAC;QAC/D,MAAM,SAAS,GAAW,iBAAiB,CAAC,CAAC,CAAC,CAAC;QAC/C,IAAI,CAAC,SAAS,CAAC,UAAU,CAAC,eAAe,CAAC,EAAE,CAAC;YAC3C,SAAS;QACX,CAAC;QAED,MAAM,QAAQ,GAAY,SAAS,CAAC,MAAM,CAAC,4BAA4B,CAAC,EAAE,CAAC,KAAK,GAAG,CAAC;QACpF,IAAI,KAAK,GAAW,SAAS,CAAC,OAAO,CAAC,GAAG,EAAE,EAAE,CAAC,CAAC;QAC/C,IAAI,QAAQ,EAAE,CAAC;YACb,KAAK,GAAG,SAAS,CAAC,OAAO,CAAC,GAAG,EAAE,KAAK,GAAG,CAAC,CAAC,CAAC;QAC5C,CAAC;QAED,MAAM,IAAI,GAAW,KAAK,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,SAAS,CAAC,KAAK,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,SAAS,CAAC,KAAK,CAAC,EAAE,EAAE,KAAK,CAAC,CAAC;QACrF,IAAI,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE,CAAC;YACzB,SAAS;QACX,CAAC;QAED,IAAI,CAAC,wBAAwB,EAAE,CAAC;YAC9B,wBAAwB,GAAG,IAAI,CAAC;YAChC,uFAAuF;YACvF,yCAAyC;YACzC,OAAO,CAAC,iBAAiB,GAAG,iBAAiB,GAAG,iBAAiB,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC;QAC7E,CAAC;QACD,2CAA2C;QAC3C,iBAAiB,CAAC,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC;QAE/B,MAAM,SAAS,GAAW,KAAK,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,SAAS,CAAC,KAAK,CAAC,KAAK,GAAG,CAAC,CAAC,CAAC;QACzE,MAAM,UAAU,GAAW,GAAG,OAAO,CAAC,mBAAmB,iBAAiB,IAAI,EAAE,CAAC;QACjF,IAAI,aAAa,GAAiC,QAAQ,CAAC,GAAG,CAAC,UAAU,CAAC,CAAC;QAC3E,IAAI,CAAC,aAAa,EAAE,CAAC;YACnB,aAAa,GAAG;gBACd,mBAAmB,EAAE,UAAU;gBAC/B,mBAAmB,EAAE,SAAS;gBAC9B,SAAS,EAAE,KAAK;gBAChB,IAAI;gBACJ,IAAI,EAAE,IAAI,GAAG,EAAE;gBACf,OAAO,EAAE,CAAC,CAAC;aACZ,CAAC;YACF,QAAQ,CAAC,GAAG,CAAC,UAAU,EAAE,aAAa,CAAC,CAAC;QAC1C,CAAC;QAED,OAAO,CAAC,IAAI,CAAC,GAAG,CAAC,IAAI,EAAE,UAAU,CAAC,CAAC;QAEnC,IAAI,SAAS,EAAE,CAAC;YACd,MAAA,aAAa,CAAC,iBAAiB,oCAA/B,aAAa,CAAC,iBAAiB,GAAK,EAAE,EAAC;YACvC,aAAa,CAAC,iBAAiB,CAAC,IAAI,CAAC,SAAS,CAAC,CAAC;QAClD,CAAC;IACH,CAAC;AACH,CAAC;AAwCD;;;;GAIG;AACH,SAAS,gBAAgB,CAAC,IAAY;IACpC,OAAO,IAAI,CAAC,OAAO,CAAC,KAAK,EAAE,GAAG,CAAC,CAAC;AAClC,CAAC;AAED;;;;GAIG;AACH,MAAM,CAAC,KAAK,UAAU,qCAAqC,CACzD,MAAgD;;IAEhD,MAAM,EAAE,YAAY,EAAE,qBAAqB,EAAE,QAAQ,EAAE,0BAA0B,EAAE,GAAG,MAAM,CAAC;IAC7F,sEAAsE;IACtE,MAAM,aAAa,GAAW,gBAAgB,CAAC,MAAM,CAAC,aAAa,CAAC,CAAC;IACrE,sEAAsE;IACtE,MAAM,kBAAkB,GAAW,gBAAgB,CAAC,MAAM,CAAC,kBAAkB,CAAC,CAAC;IAE/E,MAAM,QAAQ,GAAkC,IAAI,GAAG,EAAE,CAAC;IAC1D,MAAM,2BAA2B,GAAgB,IAAI,GAAG,EAAE,CAAC;IAE3D,sFAAsF;IACtF,KAAK,MAAM,CAAC,GAAG,EAAE,IAAI,CAAC,IAAI,QAAQ,CAAC,QAAQ,EAAE,CAAC;QAC5C,IAAI,IAAI,GAAuB,IAAI,CAAC,IAAI,CAAC;QACzC,MAAM,mBAAmB,GAAW,6BAA6B,CAAC,aAAa,EAAE,GAAG,EAAE,IAAI,CAAC,CAAC;QAE5F,gFAAgF;QAChF,IAAI,IAAI,CAAC,QAAQ,IAAI,CAAC,mBAAmB,CAAC,IAAI,EAAE,YAAY,CAAC,EAAE,CAAC;YAC9D,2BAA2B,CAAC,GAAG,CAAC,mBAAmB,CAAC,CAAC;YACrD,SAAS;QACX,CAAC;QAED,MAAM,SAAS,GAAuB,MAAA,IAAI,CAAC,UAAU,0CAAE,SAAS,CAAC;QAEjE,IAAI,CAAC,IAAI,IAAI,GAAG,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE,CAAC;YACjC,MAAM,YAAY,GAAW,GAAG,CAAC,OAAO,CAAC,GAAG,EAAE,CAAC,CAAC,CAAC;YACjD,IAAI,GAAG,GAAG,CAAC,KAAK,CAAC,CAAC,EAAE,YAAY,CAAC,CAAC;QACpC,CAAC;QAED,IAAI,CAAC,IAAI,EAAE,CAAC;YACV,MAAM,IAAI,KAAK,CAAC,oBAAoB,GAAG,EAAE,CAAC,CAAC;QAC7C,CAAC;QAED,MAAM,OAAO,GAAqB;YAChC,mBAAmB;YACnB,mBAAmB,EAAE,SAAS;YAC9B,SAAS,EAAE,KAAK;YAChB,IAAI;YACJ,IAAI,EAAE,IAAI,GAAG,EAAE;YACf,OAAO,EAAE,CAAC,CAAC;YACX,QAAQ,EAAE,IAAI,CAAC,QAAQ;SACxB,CAAC;QAEF,QAAQ,CAAC,GAAG,CAAC,mBAAmB,EAAE,OAAO,CAAC,CAAC;QAE3C,IAAI,IAAI,CAAC,YAAY,EAAE,CAAC;YACtB,mBAAmB,CAAC,aAAa,EAAE,IAAI,CAAC,YAAY,EAAE,OAAO,CAAC,CAAC;QACjE,CAAC;QACD,IAAI,IAAI,CAAC,oBAAoB,EAAE,CAAC;YAC9B,mBAAmB,CAAC,aAAa,EAAE,IAAI,CAAC,oBAAoB,EAAE,OAAO,CAAC,CAAC;QACzE,CAAC;IACH,CAAC;IAED,IAAI,0BAA0B,EAAE,CAAC;QAC/B,MAAM,0BAA0B,CAAC,QAAQ,EAAE,2BAA2B,CAAC,CAAC;IAC1E,CAAC;IAED,KAAK,MAAM,OAAO,IAAI,QAAQ,CAAC,MAAM,EAAE,EAAE,CAAC;QACxC,IAAI,OAAO,CAAC,iBAAiB,EAAE,CAAC;YAC9B,0BAA0B,CAAC,QAAQ,EAAE,OAAO,CAAC,CAAC;QAChD,CAAC;IACH,CAAC;IAED,sCAAsC;IACtC,KAAK,MAAM,CAAC,YAAY,EAAE,QAAQ,CAAC,IAAI,QAAQ,CAAC,SAAS,EAAE,CAAC;QAC1D,mEAAmE;QACnE,iGAAiG;QACjG,IAAI,YAAY,KAAK,GAAG,EAAE,CAAC;YACzB,SAAS;QACX,CAAC;QAED,MAAM,OAAO,GAAoC,qBAAqB,CAAC,aAAa,CAAC,YAAY,CAAC,CAAC;QACnG,IAAI,CAAC,OAAO,EAAE,CAAC;YACb,MAAM,IAAI,KAAK,CAAC,gCAAgC,YAAY,EAAE,CAAC,CAAC;QAClE,CAAC;QAED,MAAM,mBAAmB,GAAW,gBAAgB,CAAC,OAAO,CAAC,aAAa,CAAC,CAAC;QAE5E,MAAM,OAAO,GAAqB;YAChC,mBAAmB;YACnB,mBAAmB,EAAE,SAAS,EAAE,qBAAqB;YACrD,IAAI,EAAE,OAAO,CAAC,WAAW,CAAC,IAAI;YAC9B,SAAS,EAAE,IAAI;YACf,IAAI,EAAE,IAAI,GAAG,EAAE;YACf,OAAO,EAAE,CAAC,CAAC;SACZ,CAAC;QAEF,QAAQ,CAAC,GAAG,CAAC,mBAAmB,EAAE,OAAO,CAAC,CAAC;QAE3C,IAAI,QAAQ,CAAC,YAAY,EAAE,CAAC;YAC1B,mBAAmB,CAAC,aAAa,EAAE,QAAQ,CAAC,YAAY,EAAE,OAAO,CAAC,CAAC;QACrE,CAAC;QACD,IAAI,QAAQ,CAAC,eAAe,EAAE,CAAC;YAC7B,mBAAmB,CAAC,aAAa,EAAE,QAAQ,CAAC,eAAe,EAAE,OAAO,CAAC,CAAC;QACxE,CAAC;QACD,IAAI,QAAQ,CAAC,oBAAoB,EAAE,CAAC;YAClC,mBAAmB,CAAC,aAAa,EAAE,QAAQ,CAAC,oBAAoB,EAAE,OAAO,CAAC,CAAC;QAC7E,CAAC;IACH,CAAC;IAED,IAAI,OAAO,GAAW,CAAC,CAAC;IACxB,KAAK,MAAM,OAAO,IAAI,QAAQ,CAAC,MAAM,EAAE,EAAE,CAAC;QACxC,OAAO,CAAC,OAAO,GAAG,OAAO,EAAE,CAAC;IAC9B,CAAC;IAED,kEAAkE;IAClE,MAAM,kBAAkB,GAAgC,KAAK,CAAC,IAAI,CAChE,QAAQ,EACR,uBAAuB,CAAC,2BAA2B,EAAE,QAAQ,EAAE,kBAAkB,CAAC,CACnF,CAAC;IAEF,MAAM,SAAS,GAAuB;QACpC,QAAQ,EAAE,kBAAkB;QAC5B,QAAQ,EAAE,kBAAkB;KAC7B,CAAC;IAEF,OAAO,SAAS,CAAC;AACnB,CAAC","sourcesContent":["// Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.\n// See LICENSE in the project root for license information.\n\nimport type { LookupByPath } from '@rushstack/rush-sdk';\nimport type { IPnpmShrinkwrapDependencyYaml } from '@rushstack/rush-sdk/lib/logic/pnpm/PnpmShrinkwrapFile';\nimport type {\n ISerializedResolveContext,\n IResolverCacheFile\n} from '@rushstack/webpack-workspace-resolve-plugin';\n\nimport type { PnpmShrinkwrapFile } from './externals';\nimport { getDescriptionFileRootFromKey, resolveDependencies, createContextSerializer } from './helpers';\nimport type { IResolverContext } from './types';\n\n/**\n * The only parts of a RushConfigurationProject needed by this tool.\n * Reduced for unit test typings.\n */\nexport interface IPartialRushProject {\n projectFolder: string;\n packageJson: {\n name: string;\n };\n}\n\nexport interface IPlatformInfo {\n os: typeof process.platform;\n cpu: typeof process.arch;\n libc: 'glibc' | 'musl';\n}\n\nfunction isPackageCompatible(\n pack: Pick<IPnpmShrinkwrapDependencyYaml, 'os' | 'cpu' | 'libc'>,\n platformInfo: IPlatformInfo\n): boolean {\n if (pack.os?.every((value) => value.toLowerCase() !== platformInfo.os)) {\n return false;\n }\n if (pack.cpu?.every((value) => value.toLowerCase() !== platformInfo.cpu)) {\n return false;\n }\n if (pack.libc?.every((value) => value.toLowerCase() !== platformInfo.libc)) {\n return false;\n }\n return true;\n}\n\nfunction extractBundledDependencies(\n contexts: Map<string, IResolverContext>,\n context: IResolverContext\n): void {\n let { nestedPackageDirs } = context;\n if (!nestedPackageDirs) {\n return;\n }\n\n let foundBundledDependencies: boolean = false;\n for (let i: number = nestedPackageDirs.length - 1; i >= 0; i--) {\n const nestedDir: string = nestedPackageDirs[i];\n if (!nestedDir.startsWith('node_modules/')) {\n continue;\n }\n\n const isScoped: boolean = nestedDir.charAt(/* 'node_modules/'.length */ 13) === '@';\n let index: number = nestedDir.indexOf('/', 13);\n if (isScoped) {\n index = nestedDir.indexOf('/', index + 1);\n }\n\n const name: string = index === -1 ? nestedDir.slice(13) : nestedDir.slice(13, index);\n if (name.startsWith('.')) {\n continue;\n }\n\n if (!foundBundledDependencies) {\n foundBundledDependencies = true;\n // Make a copy of the nestedPackageDirs array so that we don't mutate the version being\n // saved into the subpackage index cache.\n context.nestedPackageDirs = nestedPackageDirs = nestedPackageDirs.slice(0);\n }\n // Remove this nested package from the list\n nestedPackageDirs.splice(i, 1);\n\n const remainder: string = index === -1 ? '' : nestedDir.slice(index + 1);\n const nestedRoot: string = `${context.descriptionFileRoot}/node_modules/${name}`;\n let nestedContext: IResolverContext | undefined = contexts.get(nestedRoot);\n if (!nestedContext) {\n nestedContext = {\n descriptionFileRoot: nestedRoot,\n descriptionFileHash: undefined,\n isProject: false,\n name,\n deps: new Map(),\n ordinal: -1\n };\n contexts.set(nestedRoot, nestedContext);\n }\n\n context.deps.set(name, nestedRoot);\n\n if (remainder) {\n nestedContext.nestedPackageDirs ??= [];\n nestedContext.nestedPackageDirs.push(remainder);\n }\n }\n}\n\n/**\n * Options for computing the resolver cache from a lockfile.\n */\nexport interface IComputeResolverCacheFromLockfileOptions {\n /**\n * The root folder of the workspace being installed\n */\n workspaceRoot: string;\n /**\n * The common root path to trim from the description file roots for brevity\n */\n commonPrefixToTrim: string;\n /**\n * Information about the platform Rush is running on\n */\n platformInfo: IPlatformInfo;\n /**\n * A lookup of projects by their importer path\n */\n projectByImporterPath: Pick<LookupByPath<IPartialRushProject>, 'findChildPath'>;\n /**\n * The lockfile to compute the cache from\n */\n lockfile: PnpmShrinkwrapFile;\n /**\n * A callback to process external packages after they have been enumerated.\n * Broken out as a separate function to facilitate testing without hitting the disk.\n * @remarks This is useful for fetching additional data from the pnpm store\n * @param contexts - The current context information per description file root\n * @param missingOptionalDependencies - The set of optional dependencies that were not installed\n * @returns A promise that resolves when the external packages have been processed\n */\n afterExternalPackagesAsync?: (\n contexts: Map<string, IResolverContext>,\n missingOptionalDependencies: Set<string>\n ) => Promise<void>;\n}\n\n/**\n * Copied from `@rushstack/node-core-library/src/Path.ts` to avoid expensive dependency\n * @param path - Path using backslashes as path separators\n * @returns The same string using forward slashes as path separators\n */\nfunction convertToSlashes(path: string): string {\n return path.replace(/\\\\/g, '/');\n}\n\n/**\n * Given a lockfile and information about the workspace and platform, computes the resolver cache file.\n * @param params - The options for computing the resolver cache\n * @returns A promise that resolves with the resolver cache file\n */\nexport async function computeResolverCacheFromLockfileAsync(\n params: IComputeResolverCacheFromLockfileOptions\n): Promise<IResolverCacheFile> {\n const { platformInfo, projectByImporterPath, lockfile, afterExternalPackagesAsync } = params;\n // Needs to be normalized to `/` for path.posix.join to work correctly\n const workspaceRoot: string = convertToSlashes(params.workspaceRoot);\n // Needs to be normalized to `/` for path.posix.join to work correctly\n const commonPrefixToTrim: string = convertToSlashes(params.commonPrefixToTrim);\n\n const contexts: Map<string, IResolverContext> = new Map();\n const missingOptionalDependencies: Set<string> = new Set();\n\n // Enumerate external dependencies first, to simplify looping over them for store data\n for (const [key, pack] of lockfile.packages) {\n let name: string | undefined = pack.name;\n const descriptionFileRoot: string = getDescriptionFileRootFromKey(workspaceRoot, key, name);\n\n // Skip optional dependencies that are incompatible with the current environment\n if (pack.optional && !isPackageCompatible(pack, platformInfo)) {\n missingOptionalDependencies.add(descriptionFileRoot);\n continue;\n }\n\n const integrity: string | undefined = pack.resolution?.integrity;\n\n if (!name && key.startsWith('/')) {\n const versionIndex: number = key.indexOf('@', 2);\n name = key.slice(1, versionIndex);\n }\n\n if (!name) {\n throw new Error(`Missing name for ${key}`);\n }\n\n const context: IResolverContext = {\n descriptionFileRoot,\n descriptionFileHash: integrity,\n isProject: false,\n name,\n deps: new Map(),\n ordinal: -1,\n optional: pack.optional\n };\n\n contexts.set(descriptionFileRoot, context);\n\n if (pack.dependencies) {\n resolveDependencies(workspaceRoot, pack.dependencies, context);\n }\n if (pack.optionalDependencies) {\n resolveDependencies(workspaceRoot, pack.optionalDependencies, context);\n }\n }\n\n if (afterExternalPackagesAsync) {\n await afterExternalPackagesAsync(contexts, missingOptionalDependencies);\n }\n\n for (const context of contexts.values()) {\n if (context.nestedPackageDirs) {\n extractBundledDependencies(contexts, context);\n }\n }\n\n // Add the data for workspace projects\n for (const [importerPath, importer] of lockfile.importers) {\n // Ignore the root project. This plugin assumes you don't have one.\n // A non-empty root project results in global dependency hoisting, and that's bad for strictness.\n if (importerPath === '.') {\n continue;\n }\n\n const project: IPartialRushProject | undefined = projectByImporterPath.findChildPath(importerPath);\n if (!project) {\n throw new Error(`Missing project for importer ${importerPath}`);\n }\n\n const descriptionFileRoot: string = convertToSlashes(project.projectFolder);\n\n const context: IResolverContext = {\n descriptionFileRoot,\n descriptionFileHash: undefined, // Not needed anymore\n name: project.packageJson.name,\n isProject: true,\n deps: new Map(),\n ordinal: -1\n };\n\n contexts.set(descriptionFileRoot, context);\n\n if (importer.dependencies) {\n resolveDependencies(workspaceRoot, importer.dependencies, context);\n }\n if (importer.devDependencies) {\n resolveDependencies(workspaceRoot, importer.devDependencies, context);\n }\n if (importer.optionalDependencies) {\n resolveDependencies(workspaceRoot, importer.optionalDependencies, context);\n }\n }\n\n let ordinal: number = 0;\n for (const context of contexts.values()) {\n context.ordinal = ordinal++;\n }\n\n // Convert the intermediate representation to the final cache file\n const serializedContexts: ISerializedResolveContext[] = Array.from(\n contexts,\n createContextSerializer(missingOptionalDependencies, contexts, commonPrefixToTrim)\n );\n\n const cacheFile: IResolverCacheFile = {\n basePath: commonPrefixToTrim,\n contexts: serializedContexts\n };\n\n return cacheFile;\n}\n"]}
@@ -0,0 +1,22 @@
1
+ // Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.
2
+ // See LICENSE in the project root for license information.
3
+ const { Operation, OperationStatus } = ___rush___rushLibModule;
4
+ export { Operation, OperationStatus };
5
+ // Support this plugin being webpacked.
6
+ const req = typeof __non_webpack_require__ === 'function' ? __non_webpack_require__ : require;
7
+ const rushLibPath = process.env._RUSH_LIB_PATH;
8
+ function importDependency(name) {
9
+ if (!rushLibPath) {
10
+ throw new Error(`_RUSH_LIB_PATH variable is not set, cannot resolve rush-lib.`);
11
+ }
12
+ const externalPath = req.resolve(name, {
13
+ paths: [rushLibPath]
14
+ });
15
+ return req(externalPath);
16
+ }
17
+ // Private Rush APIs
18
+ export const { PnpmShrinkwrapFile } = importDependency('@microsoft/rush-lib/lib/logic/pnpm/PnpmShrinkwrapFile');
19
+ // Avoid bundling expensive stuff that's already part of Rush.
20
+ export const { Async } = importDependency(`@rushstack/node-core-library/lib/Async`);
21
+ export const { FileSystem } = importDependency(`@rushstack/node-core-library/lib/FileSystem`);
22
+ //# sourceMappingURL=externals.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"externals.js","sourceRoot":"","sources":["../src/externals.ts"],"names":[],"mappings":"AAAA,4FAA4F;AAC5F,2DAA2D;AAS3D,MAAM,EAAE,SAAS,EAAE,eAAe,EAAE,GAAG,uBAAuB,CAAC;AAM/D,OAAO,EAAE,SAAS,EAAE,eAAe,EAAE,CAAC;AAEtC,uCAAuC;AACvC,MAAM,GAAG,GAAmB,OAAO,uBAAuB,KAAK,UAAU,CAAC,CAAC,CAAC,uBAAuB,CAAC,CAAC,CAAC,OAAO,CAAC;AAE9G,MAAM,WAAW,GAAuB,OAAO,CAAC,GAAG,CAAC,cAAc,CAAC;AAEnE,SAAS,gBAAgB,CAAU,IAAY;IAC7C,IAAI,CAAC,WAAW,EAAE,CAAC;QACjB,MAAM,IAAI,KAAK,CAAC,8DAA8D,CAAC,CAAC;IAClF,CAAC;IACD,MAAM,YAAY,GAAW,GAAG,CAAC,OAAO,CAAC,IAAI,EAAE;QAC7C,KAAK,EAAE,CAAC,WAAW,CAAC;KACrB,CAAC,CAAC;IAEH,OAAO,GAAG,CAAC,YAAY,CAAC,CAAC;AAC3B,CAAC;AAED,oBAAoB;AACpB,MAAM,CAAC,MAAM,EAAE,kBAAkB,EAAE,GAAG,gBAAgB,CAEpD,uDAAuD,CAAC,CAAC;AAI3D,8DAA8D;AAC9D,MAAM,CAAC,MAAM,EAAE,KAAK,EAAE,GAAG,gBAAgB,CACvC,wCAAwC,CACzC,CAAC;AACF,MAAM,CAAC,MAAM,EAAE,UAAU,EAAE,GAAG,gBAAgB,CAC5C,6CAA6C,CAC9C,CAAC","sourcesContent":["// Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.\n// See LICENSE in the project root for license information.\n\nimport type { Operation as OperationType, OperationStatus as OperationStatusType } from '@rushstack/rush-sdk';\nimport type { PnpmShrinkwrapFile as PnpmShrinkwrapFileType } from '@rushstack/rush-sdk/lib/logic/pnpm/PnpmShrinkwrapFile';\n\n// Ultra-cheap \"I am a Rush plugin\" import of rush-lib\n// eslint-disable-next-line @typescript-eslint/naming-convention\ndeclare const ___rush___rushLibModule: typeof import('@rushstack/rush-sdk');\n\nconst { Operation, OperationStatus } = ___rush___rushLibModule;\n// eslint-disable-next-line @typescript-eslint/no-redeclare\ntype Operation = OperationType;\n// eslint-disable-next-line @typescript-eslint/no-redeclare\ntype OperationStatus = OperationStatusType;\n\nexport { Operation, OperationStatus };\n\n// Support this plugin being webpacked.\nconst req: typeof require = typeof __non_webpack_require__ === 'function' ? __non_webpack_require__ : require;\n\nconst rushLibPath: string | undefined = process.env._RUSH_LIB_PATH;\n\nfunction importDependency<TResult>(name: string): TResult {\n if (!rushLibPath) {\n throw new Error(`_RUSH_LIB_PATH variable is not set, cannot resolve rush-lib.`);\n }\n const externalPath: string = req.resolve(name, {\n paths: [rushLibPath]\n });\n\n return req(externalPath);\n}\n\n// Private Rush APIs\nexport const { PnpmShrinkwrapFile } = importDependency<\n typeof import('@rushstack/rush-sdk/lib/logic/pnpm/PnpmShrinkwrapFile')\n>('@microsoft/rush-lib/lib/logic/pnpm/PnpmShrinkwrapFile');\n// eslint-disable-next-line @typescript-eslint/no-redeclare\nexport type PnpmShrinkwrapFile = PnpmShrinkwrapFileType;\n\n// Avoid bundling expensive stuff that's already part of Rush.\nexport const { Async } = importDependency<typeof import('@rushstack/node-core-library/lib/Async')>(\n `@rushstack/node-core-library/lib/Async`\n);\nexport const { FileSystem } = importDependency<typeof import('@rushstack/node-core-library/lib/FileSystem')>(\n `@rushstack/node-core-library/lib/FileSystem`\n);\n"]}
@@ -0,0 +1,145 @@
1
+ // Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.
2
+ // See LICENSE in the project root for license information.
3
+ import { createHash } from 'node:crypto';
4
+ import * as path from 'node:path';
5
+ const MAX_LENGTH_WITHOUT_HASH = 120 - 26 - 1;
6
+ const BASE32 = 'abcdefghijklmnopqrstuvwxyz234567'.split('');
7
+ // https://github.com/swansontec/rfc4648.js/blob/ead9c9b4b68e5d4a529f32925da02c02984e772c/src/codec.ts#L82-L118
8
+ export function createBase32Hash(input) {
9
+ const data = createHash('md5').update(input).digest();
10
+ const mask = 0x1f;
11
+ let out = '';
12
+ let bits = 0; // Number of bits currently in the buffer
13
+ let buffer = 0; // Bits waiting to be written out, MSB first
14
+ for (let i = 0; i < data.length; ++i) {
15
+ // eslint-disable-next-line no-bitwise
16
+ buffer = (buffer << 8) | (0xff & data[i]);
17
+ bits += 8;
18
+ // Write out as much as we can:
19
+ while (bits > 5) {
20
+ bits -= 5;
21
+ // eslint-disable-next-line no-bitwise
22
+ out += BASE32[mask & (buffer >> bits)];
23
+ }
24
+ }
25
+ // Partial character:
26
+ if (bits) {
27
+ // eslint-disable-next-line no-bitwise
28
+ out += BASE32[mask & (buffer << (5 - bits))];
29
+ }
30
+ return out;
31
+ }
32
+ // https://github.com/pnpm/pnpm/blob/f394cfccda7bc519ceee8c33fc9b68a0f4235532/packages/dependency-path/src/index.ts#L167-L189
33
+ export function depPathToFilename(depPath) {
34
+ let filename = depPathToFilenameUnescaped(depPath).replace(/[\\/:*?"<>|]/g, '+');
35
+ if (filename.includes('(')) {
36
+ filename = filename.replace(/(\)\()|\(/g, '_').replace(/\)$/, '');
37
+ }
38
+ if (filename.length > 120 || (filename !== filename.toLowerCase() && !filename.startsWith('file+'))) {
39
+ return `${filename.substring(0, MAX_LENGTH_WITHOUT_HASH)}_${createBase32Hash(filename)}`;
40
+ }
41
+ return filename;
42
+ }
43
+ /**
44
+ * Computes the root folder for a dependency from a reference to it in another package
45
+ * @param lockfileFolder - The folder that contains the lockfile
46
+ * @param key - The key of the dependency
47
+ * @param specifier - The specifier in the lockfile for the dependency
48
+ * @param context - The owning package
49
+ * @returns The identifier for the dependency
50
+ */
51
+ export function resolveDependencyKey(lockfileFolder, key, specifier, context) {
52
+ if (specifier.startsWith('/')) {
53
+ return getDescriptionFileRootFromKey(lockfileFolder, specifier);
54
+ }
55
+ else if (specifier.startsWith('link:')) {
56
+ if (context.isProject) {
57
+ return path.posix.join(context.descriptionFileRoot, specifier.slice(5));
58
+ }
59
+ else {
60
+ return path.posix.join(lockfileFolder, specifier.slice(5));
61
+ }
62
+ }
63
+ else if (specifier.startsWith('file:')) {
64
+ return getDescriptionFileRootFromKey(lockfileFolder, specifier, key);
65
+ }
66
+ else {
67
+ return getDescriptionFileRootFromKey(lockfileFolder, `/${key}@${specifier}`);
68
+ }
69
+ }
70
+ /**
71
+ * Computes the physical path to a dependency based on its entry
72
+ * @param lockfileFolder - The folder that contains the lockfile during installation
73
+ * @param key - The key of the dependency
74
+ * @param name - The name of the dependency, if provided
75
+ * @returns The physical path to the dependency
76
+ */
77
+ export function getDescriptionFileRootFromKey(lockfileFolder, key, name) {
78
+ if (!key.startsWith('file:')) {
79
+ name = key.slice(1, key.indexOf('@', 2));
80
+ }
81
+ if (!name) {
82
+ throw new Error(`Missing package name for ${key}`);
83
+ }
84
+ const originFolder = `${lockfileFolder}/node_modules/.pnpm/${depPathToFilename(key)}/node_modules`;
85
+ const descriptionFileRoot = `${originFolder}/${name}`;
86
+ return descriptionFileRoot;
87
+ }
88
+ export function resolveDependencies(lockfileFolder, collection, context) {
89
+ for (const [key, value] of Object.entries(collection)) {
90
+ const version = typeof value === 'string' ? value : value.version;
91
+ const resolved = resolveDependencyKey(lockfileFolder, key, version, context);
92
+ context.deps.set(key, resolved);
93
+ }
94
+ }
95
+ /**
96
+ *
97
+ * @param depPath - The path to the dependency
98
+ * @returns The folder name for the dependency
99
+ */
100
+ export function depPathToFilenameUnescaped(depPath) {
101
+ if (depPath.indexOf('file:') !== 0) {
102
+ if (depPath.startsWith('/')) {
103
+ depPath = depPath.slice(1);
104
+ }
105
+ return depPath;
106
+ }
107
+ return depPath.replace(':', '+');
108
+ }
109
+ /**
110
+ *
111
+ * @param missingOptionalDependencies - The set of optional dependencies that were not installed
112
+ * @param contexts - The map of context roots to their respective contexts
113
+ * @param commonPathPrefix - The common root path to trim
114
+ * @returns A function that serializes a context into a format that can be written to disk
115
+ */
116
+ export function createContextSerializer(missingOptionalDependencies, contexts, commonPathPrefix) {
117
+ return ([descriptionFileRoot, context]) => {
118
+ var _a;
119
+ const { deps } = context;
120
+ let hasAnyDeps = false;
121
+ const serializedDeps = {};
122
+ for (const [key, contextRoot] of deps) {
123
+ if (missingOptionalDependencies.has(contextRoot)) {
124
+ continue;
125
+ }
126
+ const resolutionContext = contexts.get(contextRoot);
127
+ if (!resolutionContext) {
128
+ throw new Error(`Missing context for ${contextRoot}!`);
129
+ }
130
+ serializedDeps[key] = resolutionContext.ordinal;
131
+ hasAnyDeps = true;
132
+ }
133
+ if (!context.name) {
134
+ throw new Error(`Missing name for ${descriptionFileRoot}`);
135
+ }
136
+ const serializedContext = {
137
+ name: context.name,
138
+ root: descriptionFileRoot.slice(commonPathPrefix.length),
139
+ dirInfoFiles: ((_a = context.nestedPackageDirs) === null || _a === void 0 ? void 0 : _a.length) ? context.nestedPackageDirs : undefined,
140
+ deps: hasAnyDeps ? serializedDeps : undefined
141
+ };
142
+ return serializedContext;
143
+ };
144
+ }
145
+ //# sourceMappingURL=helpers.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"helpers.js","sourceRoot":"","sources":["../src/helpers.ts"],"names":[],"mappings":"AAAA,4FAA4F;AAC5F,2DAA2D;AAE3D,OAAO,EAAE,UAAU,EAAE,MAAM,aAAa,CAAC;AACzC,OAAO,KAAK,IAAI,MAAM,WAAW,CAAC;AAMlC,MAAM,uBAAuB,GAAW,GAAG,GAAG,EAAE,GAAG,CAAC,CAAC;AACrD,MAAM,MAAM,GAAa,kCAAkC,CAAC,KAAK,CAAC,EAAE,CAAC,CAAC;AAEtE,+GAA+G;AAC/G,MAAM,UAAU,gBAAgB,CAAC,KAAa;IAC5C,MAAM,IAAI,GAAW,UAAU,CAAC,KAAK,CAAC,CAAC,MAAM,CAAC,KAAK,CAAC,CAAC,MAAM,EAAE,CAAC;IAE9D,MAAM,IAAI,GAAS,IAAI,CAAC;IACxB,IAAI,GAAG,GAAW,EAAE,CAAC;IAErB,IAAI,IAAI,GAAW,CAAC,CAAC,CAAC,yCAAyC;IAC/D,IAAI,MAAM,GAAW,CAAC,CAAC,CAAC,4CAA4C;IACpE,KAAK,IAAI,CAAC,GAAW,CAAC,EAAE,CAAC,GAAG,IAAI,CAAC,MAAM,EAAE,EAAE,CAAC,EAAE,CAAC;QAC7C,sCAAsC;QACtC,MAAM,GAAG,CAAC,MAAM,IAAI,CAAC,CAAC,GAAG,CAAC,IAAI,GAAG,IAAI,CAAC,CAAC,CAAC,CAAC,CAAC;QAC1C,IAAI,IAAI,CAAC,CAAC;QAEV,+BAA+B;QAC/B,OAAO,IAAI,GAAG,CAAC,EAAE,CAAC;YAChB,IAAI,IAAI,CAAC,CAAC;YACV,sCAAsC;YACtC,GAAG,IAAI,MAAM,CAAC,IAAI,GAAG,CAAC,MAAM,IAAI,IAAI,CAAC,CAAC,CAAC;QACzC,CAAC;IACH,CAAC;IAED,qBAAqB;IACrB,IAAI,IAAI,EAAE,CAAC;QACT,sCAAsC;QACtC,GAAG,IAAI,MAAM,CAAC,IAAI,GAAG,CAAC,MAAM,IAAI,CAAC,CAAC,GAAG,IAAI,CAAC,CAAC,CAAC,CAAC;IAC/C,CAAC;IAED,OAAO,GAAG,CAAC;AACb,CAAC;AAED,6HAA6H;AAC7H,MAAM,UAAU,iBAAiB,CAAC,OAAe;IAC/C,IAAI,QAAQ,GAAW,0BAA0B,CAAC,OAAO,CAAC,CAAC,OAAO,CAAC,eAAe,EAAE,GAAG,CAAC,CAAC;IACzF,IAAI,QAAQ,CAAC,QAAQ,CAAC,GAAG,CAAC,EAAE,CAAC;QAC3B,QAAQ,GAAG,QAAQ,CAAC,OAAO,CAAC,YAAY,EAAE,GAAG,CAAC,CAAC,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC,CAAC;IACpE,CAAC;IACD,IAAI,QAAQ,CAAC,MAAM,GAAG,GAAG,IAAI,CAAC,QAAQ,KAAK,QAAQ,CAAC,WAAW,EAAE,IAAI,CAAC,QAAQ,CAAC,UAAU,CAAC,OAAO,CAAC,CAAC,EAAE,CAAC;QACpG,OAAO,GAAG,QAAQ,CAAC,SAAS,CAAC,CAAC,EAAE,uBAAuB,CAAC,IAAI,gBAAgB,CAAC,QAAQ,CAAC,EAAE,CAAC;IAC3F,CAAC;IACD,OAAO,QAAQ,CAAC;AAClB,CAAC;AAED;;;;;;;GAOG;AACH,MAAM,UAAU,oBAAoB,CAClC,cAAsB,EACtB,GAAW,EACX,SAAiB,EACjB,OAAyB;IAEzB,IAAI,SAAS,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE,CAAC;QAC9B,OAAO,6BAA6B,CAAC,cAAc,EAAE,SAAS,CAAC,CAAC;IAClE,CAAC;SAAM,IAAI,SAAS,CAAC,UAAU,CAAC,OAAO,CAAC,EAAE,CAAC;QACzC,IAAI,OAAO,CAAC,SAAS,EAAE,CAAC;YACtB,OAAO,IAAI,CAAC,KAAK,CAAC,IAAI,CAAC,OAAO,CAAC,mBAAmB,EAAE,SAAS,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC;QAC1E,CAAC;aAAM,CAAC;YACN,OAAO,IAAI,CAAC,KAAK,CAAC,IAAI,CAAC,cAAc,EAAE,SAAS,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC;QAC7D,CAAC;IACH,CAAC;SAAM,IAAI,SAAS,CAAC,UAAU,CAAC,OAAO,CAAC,EAAE,CAAC;QACzC,OAAO,6BAA6B,CAAC,cAAc,EAAE,SAAS,EAAE,GAAG,CAAC,CAAC;IACvE,CAAC;SAAM,CAAC;QACN,OAAO,6BAA6B,CAAC,cAAc,EAAE,IAAI,GAAG,IAAI,SAAS,EAAE,CAAC,CAAC;IAC/E,CAAC;AACH,CAAC;AAED;;;;;;GAMG;AACH,MAAM,UAAU,6BAA6B,CAAC,cAAsB,EAAE,GAAW,EAAE,IAAa;IAC9F,IAAI,CAAC,GAAG,CAAC,UAAU,CAAC,OAAO,CAAC,EAAE,CAAC;QAC7B,IAAI,GAAG,GAAG,CAAC,KAAK,CAAC,CAAC,EAAE,GAAG,CAAC,OAAO,CAAC,GAAG,EAAE,CAAC,CAAC,CAAC,CAAC;IAC3C,CAAC;IACD,IAAI,CAAC,IAAI,EAAE,CAAC;QACV,MAAM,IAAI,KAAK,CAAC,4BAA4B,GAAG,EAAE,CAAC,CAAC;IACrD,CAAC;IAED,MAAM,YAAY,GAAW,GAAG,cAAc,uBAAuB,iBAAiB,CAAC,GAAG,CAAC,eAAe,CAAC;IAC3G,MAAM,mBAAmB,GAAW,GAAG,YAAY,IAAI,IAAI,EAAE,CAAC;IAC9D,OAAO,mBAAmB,CAAC;AAC7B,CAAC;AAED,MAAM,UAAU,mBAAmB,CACjC,cAAsB,EACtB,UAA4C,EAC5C,OAAyB;IAEzB,KAAK,MAAM,CAAC,GAAG,EAAE,KAAK,CAAC,IAAI,MAAM,CAAC,OAAO,CAAC,UAAU,CAAC,EAAE,CAAC;QACtD,MAAM,OAAO,GAAW,OAAO,KAAK,KAAK,QAAQ,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC,CAAC,KAAK,CAAC,OAAO,CAAC;QAC1E,MAAM,QAAQ,GAAW,oBAAoB,CAAC,cAAc,EAAE,GAAG,EAAE,OAAO,EAAE,OAAO,CAAC,CAAC;QAErF,OAAO,CAAC,IAAI,CAAC,GAAG,CAAC,GAAG,EAAE,QAAQ,CAAC,CAAC;IAClC,CAAC;AACH,CAAC;AAED;;;;GAIG;AACH,MAAM,UAAU,0BAA0B,CAAC,OAAe;IACxD,IAAI,OAAO,CAAC,OAAO,CAAC,OAAO,CAAC,KAAK,CAAC,EAAE,CAAC;QACnC,IAAI,OAAO,CAAC,UAAU,CAAC,GAAG,CAAC,EAAE,CAAC;YAC5B,OAAO,GAAG,OAAO,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC;QAC7B,CAAC;QACD,OAAO,OAAO,CAAC;IACjB,CAAC;IACD,OAAO,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,GAAG,CAAC,CAAC;AACnC,CAAC;AAED;;;;;;GAMG;AACH,MAAM,UAAU,uBAAuB,CACrC,2BAAwC,EACxC,QAAuC,EACvC,gBAAwB;IAExB,OAAO,CAAC,CAAC,mBAAmB,EAAE,OAAO,CAA6B,EAA6B,EAAE;;QAC/F,MAAM,EAAE,IAAI,EAAE,GAAG,OAAO,CAAC;QAEzB,IAAI,UAAU,GAAY,KAAK,CAAC;QAChC,MAAM,cAAc,GAAsC,EAAE,CAAC;QAC7D,KAAK,MAAM,CAAC,GAAG,EAAE,WAAW,CAAC,IAAI,IAAI,EAAE,CAAC;YACtC,IAAI,2BAA2B,CAAC,GAAG,CAAC,WAAW,CAAC,EAAE,CAAC;gBACjD,SAAS;YACX,CAAC;YAED,MAAM,iBAAiB,GAAiC,QAAQ,CAAC,GAAG,CAAC,WAAW,CAAC,CAAC;YAClF,IAAI,CAAC,iBAAiB,EAAE,CAAC;gBACvB,MAAM,IAAI,KAAK,CAAC,uBAAuB,WAAW,GAAG,CAAC,CAAC;YACzD,CAAC;YACD,cAAc,CAAC,GAAG,CAAC,GAAG,iBAAiB,CAAC,OAAO,CAAC;YAChD,UAAU,GAAG,IAAI,CAAC;QACpB,CAAC;QAED,IAAI,CAAC,OAAO,CAAC,IAAI,EAAE,CAAC;YAClB,MAAM,IAAI,KAAK,CAAC,oBAAoB,mBAAmB,EAAE,CAAC,CAAC;QAC7D,CAAC;QAED,MAAM,iBAAiB,GAA8B;YACnD,IAAI,EAAE,OAAO,CAAC,IAAI;YAClB,IAAI,EAAE,mBAAmB,CAAC,KAAK,CAAC,gBAAgB,CAAC,MAAM,CAAC;YACxD,YAAY,EAAE,CAAA,MAAA,OAAO,CAAC,iBAAiB,0CAAE,MAAM,EAAC,CAAC,CAAC,OAAO,CAAC,iBAAiB,CAAC,CAAC,CAAC,SAAS;YACvF,IAAI,EAAE,UAAU,CAAC,CAAC,CAAC,cAAc,CAAC,CAAC,CAAC,SAAS;SAC9C,CAAC;QAEF,OAAO,iBAAiB,CAAC;IAC3B,CAAC,CAAC;AACJ,CAAC","sourcesContent":["// Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.\n// See LICENSE in the project root for license information.\n\nimport { createHash } from 'node:crypto';\nimport * as path from 'node:path';\n\nimport type { ISerializedResolveContext } from '@rushstack/webpack-workspace-resolve-plugin';\n\nimport type { IDependencyEntry, IResolverContext } from './types';\n\nconst MAX_LENGTH_WITHOUT_HASH: number = 120 - 26 - 1;\nconst BASE32: string[] = 'abcdefghijklmnopqrstuvwxyz234567'.split('');\n\n// https://github.com/swansontec/rfc4648.js/blob/ead9c9b4b68e5d4a529f32925da02c02984e772c/src/codec.ts#L82-L118\nexport function createBase32Hash(input: string): string {\n const data: Buffer = createHash('md5').update(input).digest();\n\n const mask: 0x1f = 0x1f;\n let out: string = '';\n\n let bits: number = 0; // Number of bits currently in the buffer\n let buffer: number = 0; // Bits waiting to be written out, MSB first\n for (let i: number = 0; i < data.length; ++i) {\n // eslint-disable-next-line no-bitwise\n buffer = (buffer << 8) | (0xff & data[i]);\n bits += 8;\n\n // Write out as much as we can:\n while (bits > 5) {\n bits -= 5;\n // eslint-disable-next-line no-bitwise\n out += BASE32[mask & (buffer >> bits)];\n }\n }\n\n // Partial character:\n if (bits) {\n // eslint-disable-next-line no-bitwise\n out += BASE32[mask & (buffer << (5 - bits))];\n }\n\n return out;\n}\n\n// https://github.com/pnpm/pnpm/blob/f394cfccda7bc519ceee8c33fc9b68a0f4235532/packages/dependency-path/src/index.ts#L167-L189\nexport function depPathToFilename(depPath: string): string {\n let filename: string = depPathToFilenameUnescaped(depPath).replace(/[\\\\/:*?\"<>|]/g, '+');\n if (filename.includes('(')) {\n filename = filename.replace(/(\\)\\()|\\(/g, '_').replace(/\\)$/, '');\n }\n if (filename.length > 120 || (filename !== filename.toLowerCase() && !filename.startsWith('file+'))) {\n return `${filename.substring(0, MAX_LENGTH_WITHOUT_HASH)}_${createBase32Hash(filename)}`;\n }\n return filename;\n}\n\n/**\n * Computes the root folder for a dependency from a reference to it in another package\n * @param lockfileFolder - The folder that contains the lockfile\n * @param key - The key of the dependency\n * @param specifier - The specifier in the lockfile for the dependency\n * @param context - The owning package\n * @returns The identifier for the dependency\n */\nexport function resolveDependencyKey(\n lockfileFolder: string,\n key: string,\n specifier: string,\n context: IResolverContext\n): string {\n if (specifier.startsWith('/')) {\n return getDescriptionFileRootFromKey(lockfileFolder, specifier);\n } else if (specifier.startsWith('link:')) {\n if (context.isProject) {\n return path.posix.join(context.descriptionFileRoot, specifier.slice(5));\n } else {\n return path.posix.join(lockfileFolder, specifier.slice(5));\n }\n } else if (specifier.startsWith('file:')) {\n return getDescriptionFileRootFromKey(lockfileFolder, specifier, key);\n } else {\n return getDescriptionFileRootFromKey(lockfileFolder, `/${key}@${specifier}`);\n }\n}\n\n/**\n * Computes the physical path to a dependency based on its entry\n * @param lockfileFolder - The folder that contains the lockfile during installation\n * @param key - The key of the dependency\n * @param name - The name of the dependency, if provided\n * @returns The physical path to the dependency\n */\nexport function getDescriptionFileRootFromKey(lockfileFolder: string, key: string, name?: string): string {\n if (!key.startsWith('file:')) {\n name = key.slice(1, key.indexOf('@', 2));\n }\n if (!name) {\n throw new Error(`Missing package name for ${key}`);\n }\n\n const originFolder: string = `${lockfileFolder}/node_modules/.pnpm/${depPathToFilename(key)}/node_modules`;\n const descriptionFileRoot: string = `${originFolder}/${name}`;\n return descriptionFileRoot;\n}\n\nexport function resolveDependencies(\n lockfileFolder: string,\n collection: Record<string, IDependencyEntry>,\n context: IResolverContext\n): void {\n for (const [key, value] of Object.entries(collection)) {\n const version: string = typeof value === 'string' ? value : value.version;\n const resolved: string = resolveDependencyKey(lockfileFolder, key, version, context);\n\n context.deps.set(key, resolved);\n }\n}\n\n/**\n *\n * @param depPath - The path to the dependency\n * @returns The folder name for the dependency\n */\nexport function depPathToFilenameUnescaped(depPath: string): string {\n if (depPath.indexOf('file:') !== 0) {\n if (depPath.startsWith('/')) {\n depPath = depPath.slice(1);\n }\n return depPath;\n }\n return depPath.replace(':', '+');\n}\n\n/**\n *\n * @param missingOptionalDependencies - The set of optional dependencies that were not installed\n * @param contexts - The map of context roots to their respective contexts\n * @param commonPathPrefix - The common root path to trim\n * @returns A function that serializes a context into a format that can be written to disk\n */\nexport function createContextSerializer(\n missingOptionalDependencies: Set<string>,\n contexts: Map<string, IResolverContext>,\n commonPathPrefix: string\n): (entry: [string, IResolverContext]) => ISerializedResolveContext {\n return ([descriptionFileRoot, context]: [string, IResolverContext]): ISerializedResolveContext => {\n const { deps } = context;\n\n let hasAnyDeps: boolean = false;\n const serializedDeps: ISerializedResolveContext['deps'] = {};\n for (const [key, contextRoot] of deps) {\n if (missingOptionalDependencies.has(contextRoot)) {\n continue;\n }\n\n const resolutionContext: IResolverContext | undefined = contexts.get(contextRoot);\n if (!resolutionContext) {\n throw new Error(`Missing context for ${contextRoot}!`);\n }\n serializedDeps[key] = resolutionContext.ordinal;\n hasAnyDeps = true;\n }\n\n if (!context.name) {\n throw new Error(`Missing name for ${descriptionFileRoot}`);\n }\n\n const serializedContext: ISerializedResolveContext = {\n name: context.name,\n root: descriptionFileRoot.slice(commonPathPrefix.length),\n dirInfoFiles: context.nestedPackageDirs?.length ? context.nestedPackageDirs : undefined,\n deps: hasAnyDeps ? serializedDeps : undefined\n };\n\n return serializedContext;\n };\n}\n"]}
@@ -0,0 +1,33 @@
1
+ // Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.
2
+ // See LICENSE in the project root for license information.
3
+ /**
4
+ * Plugin that caches information from the package manager after installation to speed up resolution of imports.
5
+ * @beta
6
+ */
7
+ export default class RushResolverCachePlugin {
8
+ constructor() {
9
+ this.pluginName = 'RushResolverCachePlugin';
10
+ }
11
+ apply(rushSession, rushConfiguration) {
12
+ rushSession.hooks.afterInstall.tapPromise(this.pluginName, async (command, subspace, variant) => {
13
+ const logger = rushSession.getLogger('RushResolverCachePlugin');
14
+ if (rushConfiguration.packageManager !== 'pnpm') {
15
+ logger.emitError(new Error('The RushResolverCachePlugin currently only supports the "pnpm" package manager'));
16
+ return;
17
+ }
18
+ const pnpmMajorVersion = parseInt(rushConfiguration.packageManagerToolVersion, 10);
19
+ // Lockfile format parsing logic changed in pnpm v8.
20
+ if (pnpmMajorVersion < 8) {
21
+ logger.emitError(new Error('The RushResolverCachePlugin currently only supports pnpm version >=8'));
22
+ return;
23
+ }
24
+ // This plugin is not currently webpacked, but these comments are here for future proofing.
25
+ const { afterInstallAsync } = await import(
26
+ /* webpackChunkMode: 'eager' */
27
+ /* webpackExports: ["afterInstallAsync"] */
28
+ './afterInstallAsync');
29
+ await afterInstallAsync(rushSession, rushConfiguration, subspace, variant, logger);
30
+ });
31
+ }
32
+ }
33
+ //# sourceMappingURL=index.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"index.js","sourceRoot":"","sources":["../src/index.ts"],"names":[],"mappings":"AAAA,4FAA4F;AAC5F,2DAA2D;AAW3D;;;GAGG;AACH,MAAM,CAAC,OAAO,OAAO,uBAAuB;IAA5C;QACkB,eAAU,GAA8B,yBAAyB,CAAC;IAiCpF,CAAC;IA/BQ,KAAK,CAAC,WAAwB,EAAE,iBAAoC;QACzE,WAAW,CAAC,KAAK,CAAC,YAAY,CAAC,UAAU,CACvC,IAAI,CAAC,UAAU,EACf,KAAK,EAAE,OAAqB,EAAE,QAAkB,EAAE,OAA2B,EAAE,EAAE;YAC/E,MAAM,MAAM,GAAY,WAAW,CAAC,SAAS,CAAC,yBAAyB,CAAC,CAAC;YAEzE,IAAI,iBAAiB,CAAC,cAAc,KAAK,MAAM,EAAE,CAAC;gBAChD,MAAM,CAAC,SAAS,CACd,IAAI,KAAK,CAAC,gFAAgF,CAAC,CAC5F,CAAC;gBACF,OAAO;YACT,CAAC;YAED,MAAM,gBAAgB,GAAW,QAAQ,CAAC,iBAAiB,CAAC,yBAAyB,EAAE,EAAE,CAAC,CAAC;YAC3F,oDAAoD;YACpD,IAAI,gBAAgB,GAAG,CAAC,EAAE,CAAC;gBACzB,MAAM,CAAC,SAAS,CAAC,IAAI,KAAK,CAAC,sEAAsE,CAAC,CAAC,CAAC;gBACpG,OAAO;YACT,CAAC;YAED,2FAA2F;YAC3F,MAAM,EAAE,iBAAiB,EAAE,GAAG,MAAM,MAAM;YACxC,+BAA+B;YAC/B,2CAA2C;YAC3C,qBAAqB,CACtB,CAAC;YAEF,MAAM,iBAAiB,CAAC,WAAW,EAAE,iBAAiB,EAAE,QAAQ,EAAE,OAAO,EAAE,MAAM,CAAC,CAAC;QACrF,CAAC,CACF,CAAC;IACJ,CAAC;CACF","sourcesContent":["// Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.\n// See LICENSE in the project root for license information.\n\nimport type {\n IRushPlugin,\n RushSession,\n RushConfiguration,\n IRushCommand,\n ILogger,\n Subspace\n} from '@rushstack/rush-sdk';\n\n/**\n * Plugin that caches information from the package manager after installation to speed up resolution of imports.\n * @beta\n */\nexport default class RushResolverCachePlugin implements IRushPlugin {\n public readonly pluginName: 'RushResolverCachePlugin' = 'RushResolverCachePlugin';\n\n public apply(rushSession: RushSession, rushConfiguration: RushConfiguration): void {\n rushSession.hooks.afterInstall.tapPromise(\n this.pluginName,\n async (command: IRushCommand, subspace: Subspace, variant: string | undefined) => {\n const logger: ILogger = rushSession.getLogger('RushResolverCachePlugin');\n\n if (rushConfiguration.packageManager !== 'pnpm') {\n logger.emitError(\n new Error('The RushResolverCachePlugin currently only supports the \"pnpm\" package manager')\n );\n return;\n }\n\n const pnpmMajorVersion: number = parseInt(rushConfiguration.packageManagerToolVersion, 10);\n // Lockfile format parsing logic changed in pnpm v8.\n if (pnpmMajorVersion < 8) {\n logger.emitError(new Error('The RushResolverCachePlugin currently only supports pnpm version >=8'));\n return;\n }\n\n // This plugin is not currently webpacked, but these comments are here for future proofing.\n const { afterInstallAsync } = await import(\n /* webpackChunkMode: 'eager' */\n /* webpackExports: [\"afterInstallAsync\"] */\n './afterInstallAsync'\n );\n\n await afterInstallAsync(rushSession, rushConfiguration, subspace, variant, logger);\n }\n );\n }\n}\n"]}
@@ -0,0 +1,4 @@
1
+ // Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.
2
+ // See LICENSE in the project root for license information.
3
+ export {};
4
+ //# sourceMappingURL=types.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"types.js","sourceRoot":"","sources":["../src/types.ts"],"names":[],"mappings":"AAAA,4FAA4F;AAC5F,2DAA2D","sourcesContent":["// Copyright (c) Microsoft Corporation. All rights reserved. Licensed under the MIT license.\n// See LICENSE in the project root for license information.\n\nexport interface IResolverContext {\n descriptionFileRoot: string;\n descriptionFileHash: string | undefined;\n name: string;\n deps: Map<string, string>;\n isProject: boolean;\n ordinal: number;\n parent?: IResolverContext | undefined;\n optional?: boolean;\n nestedPackageDirs?: string[];\n}\n\nexport type IDependencyEntry =\n | string\n | {\n version: string;\n specifier: string;\n };\n"]}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@rushstack/rush-resolver-cache-plugin",
3
- "version": "5.167.0",
3
+ "version": "5.169.0",
4
4
  "description": "A Rush plugin that generates a resolver cache file after successful install.",
5
5
  "license": "MIT",
6
6
  "repository": {
@@ -8,35 +8,47 @@
8
8
  "type": "git",
9
9
  "directory": "rush-plugins/rush-resolver-cache-plugin"
10
10
  },
11
- "main": "lib-commonjs/index.js",
12
- "types": "dist/rush-resolver-cache-plugin.d.ts",
11
+ "main": "./lib-commonjs/index.js",
12
+ "module": "./lib-esm/index.js",
13
+ "types": "./dist/rush-resolver-cache-plugin.d.ts",
13
14
  "dependencies": {
14
- "@rushstack/rush-sdk": "5.167.0"
15
+ "@rushstack/rush-sdk": "5.169.0"
15
16
  },
16
17
  "devDependencies": {
17
18
  "@types/webpack-env": "1.18.8",
18
19
  "eslint": "~9.37.0",
19
- "@rushstack/lookup-by-path": "0.8.15",
20
- "@rushstack/heft": "1.1.13",
21
- "@rushstack/terminal": "0.21.0",
22
- "@rushstack/webpack-workspace-resolve-plugin": "0.5.13",
23
- "@rushstack/node-core-library": "5.19.1",
20
+ "@rushstack/lookup-by-path": "0.9.0",
21
+ "@rushstack/node-core-library": "5.20.0",
22
+ "@rushstack/terminal": "0.22.0",
23
+ "@rushstack/heft": "1.2.0",
24
+ "@rushstack/webpack-workspace-resolve-plugin": "0.6.0",
24
25
  "local-node-rig": "1.0.0"
25
26
  },
26
27
  "exports": {
27
28
  ".": {
28
- "require": "./lib/index.js",
29
- "types": "./dist/rush-resolver-cache-plugin.d.ts"
29
+ "types": "./dist/rush-resolver-cache-plugin.d.ts",
30
+ "import": "./lib-esm/index.js",
31
+ "require": "./lib-commonjs/index.js"
30
32
  },
33
+ "./lib/*": {
34
+ "types": "./lib-dts/*.d.ts",
35
+ "import": "./lib-esm/*.js",
36
+ "require": "./lib-commonjs/*.js"
37
+ },
38
+ "./rush-plugin-manifest.json": "./rush-plugin-manifest.json",
31
39
  "./package.json": "./package.json"
32
40
  },
33
41
  "typesVersions": {
34
42
  "*": {
35
43
  ".": [
36
44
  "dist/rush-resolver-cache-plugin.d.ts"
45
+ ],
46
+ "lib/*": [
47
+ "lib-dts/*"
37
48
  ]
38
49
  }
39
50
  },
51
+ "sideEffects": false,
40
52
  "scripts": {
41
53
  "build": "heft test --clean",
42
54
  "_phase:build": "heft run --only build -- --clean",
@@ -4,7 +4,7 @@
4
4
  {
5
5
  "pluginName": "rush-resolver-cache-plugin",
6
6
  "description": "Rush plugin for generating a resolver cache file after successful install.",
7
- "entryPoint": "lib/index.js"
7
+ "entryPoint": "./lib-commonjs/index.js"
8
8
  }
9
9
  ]
10
10
  }
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes
File without changes