-
Notifications
You must be signed in to change notification settings - Fork 2.7k
/
install.js
1202 lines (1023 loc) · 40 KB
/
install.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/* @flow */
import type {InstallationMethod} from '../../util/yarn-version.js';
import type {Reporter} from '../../reporters/index.js';
import type {ReporterSelectOption} from '../../reporters/types.js';
import type {Manifest, DependencyRequestPatterns} from '../../types.js';
import type Config, {RootManifests} from '../../config.js';
import type {RegistryNames} from '../../registries/index.js';
import type {LockfileObject} from '../../lockfile';
import {callThroughHook} from '../../util/hooks.js';
import normalizeManifest from '../../util/normalize-manifest/index.js';
import {MessageError} from '../../errors.js';
import InstallationIntegrityChecker from '../../integrity-checker.js';
import Lockfile from '../../lockfile';
import {stringify as lockStringify} from '../../lockfile';
import * as fetcher from '../../package-fetcher.js';
import PackageInstallScripts from '../../package-install-scripts.js';
import * as compatibility from '../../package-compatibility.js';
import PackageResolver from '../../package-resolver.js';
import PackageLinker from '../../package-linker.js';
import {registries} from '../../registries/index.js';
import {getExoticResolver} from '../../resolvers/index.js';
import {clean} from './autoclean.js';
import * as constants from '../../constants.js';
import {normalizePattern} from '../../util/normalize-pattern.js';
import * as fs from '../../util/fs.js';
import map from '../../util/map.js';
import {version as YARN_VERSION, getInstallationMethod} from '../../util/yarn-version.js';
import {generatePnpMap} from '../../util/generate-pnp-map.js';
import WorkspaceLayout from '../../workspace-layout.js';
import ResolutionMap from '../../resolution-map.js';
import guessName from '../../util/guess-name';
import Audit from './audit';
const deepEqual = require('deep-equal');
const emoji = require('node-emoji');
const invariant = require('invariant');
const path = require('path');
const semver = require('semver');
const uuid = require('uuid');
const ssri = require('ssri');
const ONE_DAY = 1000 * 60 * 60 * 24;
export type InstallCwdRequest = {
requests: DependencyRequestPatterns,
patterns: Array<string>,
ignorePatterns: Array<string>,
usedPatterns: Array<string>,
manifest: Object,
workspaceLayout?: WorkspaceLayout,
};
type Flags = {
// install
har: boolean,
ignorePlatform: boolean,
ignoreEngines: boolean,
ignoreScripts: boolean,
ignoreOptional: boolean,
linkDuplicates: boolean,
force: boolean,
flat: boolean,
lockfile: boolean,
pureLockfile: boolean,
frozenLockfile: boolean,
skipIntegrityCheck: boolean,
checkFiles: boolean,
audit: boolean,
// add
peer: boolean,
dev: boolean,
optional: boolean,
exact: boolean,
tilde: boolean,
ignoreWorkspaceRootCheck: boolean,
// outdated, update-interactive
includeWorkspaceDeps: boolean,
// add, remove, upgrade
workspaceRootIsCwd: boolean,
};
/**
* Try and detect the installation method for Yarn and provide a command to update it with.
*/
function getUpdateCommand(installationMethod: InstallationMethod): ?string {
if (installationMethod === 'tar') {
return `curl --compressed -o- -L ${constants.YARN_INSTALLER_SH} | bash`;
}
if (installationMethod === 'homebrew') {
return 'brew upgrade yarn';
}
if (installationMethod === 'deb') {
return 'sudo apt-get update && sudo apt-get install yarn';
}
if (installationMethod === 'rpm') {
return 'sudo yum install yarn';
}
if (installationMethod === 'npm') {
return 'npm install --global yarn';
}
if (installationMethod === 'chocolatey') {
return 'choco upgrade yarn';
}
if (installationMethod === 'apk') {
return 'apk update && apk add -u yarn';
}
return null;
}
function getUpdateInstaller(installationMethod: InstallationMethod): ?string {
// Windows
if (installationMethod === 'msi') {
return constants.YARN_INSTALLER_MSI;
}
return null;
}
function normalizeFlags(config: Config, rawFlags: Object): Flags {
const flags = {
// install
har: !!rawFlags.har,
ignorePlatform: !!rawFlags.ignorePlatform,
ignoreEngines: !!rawFlags.ignoreEngines,
ignoreScripts: !!rawFlags.ignoreScripts,
ignoreOptional: !!rawFlags.ignoreOptional,
force: !!rawFlags.force,
flat: !!rawFlags.flat,
lockfile: rawFlags.lockfile !== false,
pureLockfile: !!rawFlags.pureLockfile,
updateChecksums: !!rawFlags.updateChecksums,
skipIntegrityCheck: !!rawFlags.skipIntegrityCheck,
frozenLockfile: !!rawFlags.frozenLockfile,
linkDuplicates: !!rawFlags.linkDuplicates,
checkFiles: !!rawFlags.checkFiles,
audit: !!rawFlags.audit,
// add
peer: !!rawFlags.peer,
dev: !!rawFlags.dev,
optional: !!rawFlags.optional,
exact: !!rawFlags.exact,
tilde: !!rawFlags.tilde,
ignoreWorkspaceRootCheck: !!rawFlags.ignoreWorkspaceRootCheck,
// outdated, update-interactive
includeWorkspaceDeps: !!rawFlags.includeWorkspaceDeps,
// add, remove, update
workspaceRootIsCwd: rawFlags.workspaceRootIsCwd !== false,
};
if (config.getOption('ignore-scripts')) {
flags.ignoreScripts = true;
}
if (config.getOption('ignore-platform')) {
flags.ignorePlatform = true;
}
if (config.getOption('ignore-engines')) {
flags.ignoreEngines = true;
}
if (config.getOption('ignore-optional')) {
flags.ignoreOptional = true;
}
if (config.getOption('force')) {
flags.force = true;
}
return flags;
}
export class Install {
constructor(flags: Object, config: Config, reporter: Reporter, lockfile: Lockfile) {
this.rootManifestRegistries = [];
this.rootPatternsToOrigin = map();
this.lockfile = lockfile;
this.reporter = reporter;
this.config = config;
this.flags = normalizeFlags(config, flags);
this.resolutions = map(); // Legacy resolutions field used for flat install mode
this.resolutionMap = new ResolutionMap(config); // Selective resolutions for nested dependencies
this.resolver = new PackageResolver(config, lockfile, this.resolutionMap);
this.integrityChecker = new InstallationIntegrityChecker(config);
this.linker = new PackageLinker(config, this.resolver);
this.scripts = new PackageInstallScripts(config, this.resolver, this.flags.force);
}
flags: Flags;
rootManifestRegistries: Array<RegistryNames>;
registries: Array<RegistryNames>;
lockfile: Lockfile;
resolutions: {[packageName: string]: string};
config: Config;
reporter: Reporter;
resolver: PackageResolver;
scripts: PackageInstallScripts;
linker: PackageLinker;
rootPatternsToOrigin: {[pattern: string]: string};
integrityChecker: InstallationIntegrityChecker;
resolutionMap: ResolutionMap;
/**
* Create a list of dependency requests from the current directories manifests.
*/
async fetchRequestFromCwd(
excludePatterns?: Array<string> = [],
ignoreUnusedPatterns?: boolean = false,
): Promise<InstallCwdRequest> {
const patterns = [];
const deps: DependencyRequestPatterns = [];
let resolutionDeps: DependencyRequestPatterns = [];
const manifest = {};
const ignorePatterns = [];
const usedPatterns = [];
let workspaceLayout;
// some commands should always run in the context of the entire workspace
const cwd =
this.flags.includeWorkspaceDeps || this.flags.workspaceRootIsCwd ? this.config.lockfileFolder : this.config.cwd;
// non-workspaces are always root, otherwise check for workspace root
const cwdIsRoot = !this.config.workspaceRootFolder || this.config.lockfileFolder === cwd;
// exclude package names that are in install args
const excludeNames = [];
for (const pattern of excludePatterns) {
if (getExoticResolver(pattern)) {
excludeNames.push(guessName(pattern));
} else {
// extract the name
const parts = normalizePattern(pattern);
excludeNames.push(parts.name);
}
}
const stripExcluded = (manifest: Manifest) => {
for (const exclude of excludeNames) {
if (manifest.dependencies && manifest.dependencies[exclude]) {
delete manifest.dependencies[exclude];
}
if (manifest.devDependencies && manifest.devDependencies[exclude]) {
delete manifest.devDependencies[exclude];
}
if (manifest.optionalDependencies && manifest.optionalDependencies[exclude]) {
delete manifest.optionalDependencies[exclude];
}
}
};
for (const registry of Object.keys(registries)) {
const {filename} = registries[registry];
const loc = path.join(cwd, filename);
if (!await fs.exists(loc)) {
continue;
}
this.rootManifestRegistries.push(registry);
const projectManifestJson = await this.config.readJson(loc);
await normalizeManifest(projectManifestJson, cwd, this.config, cwdIsRoot);
Object.assign(this.resolutions, projectManifestJson.resolutions);
Object.assign(manifest, projectManifestJson);
this.resolutionMap.init(this.resolutions);
for (const packageName of Object.keys(this.resolutionMap.resolutionsByPackage)) {
for (const {pattern} of this.resolutionMap.resolutionsByPackage[packageName]) {
resolutionDeps = [...resolutionDeps, {registry, pattern, optional: false, hint: 'resolution'}];
}
}
const pushDeps = (
depType,
manifest: Object,
{hint, optional}: {hint: ?constants.RequestHint, optional: boolean},
isUsed,
) => {
if (ignoreUnusedPatterns && !isUsed) {
return;
}
// We only take unused dependencies into consideration to get deterministic hoisting.
// Since flat mode doesn't care about hoisting and everything is top level and specified then we can safely
// leave these out.
if (this.flags.flat && !isUsed) {
return;
}
const depMap = manifest[depType];
for (const name in depMap) {
if (excludeNames.indexOf(name) >= 0) {
continue;
}
let pattern = name;
if (!this.lockfile.getLocked(pattern)) {
// when we use --save we save the dependency to the lockfile with just the name rather than the
// version combo
pattern += '@' + depMap[name];
}
// normalization made sure packages are mentioned only once
if (isUsed) {
usedPatterns.push(pattern);
} else {
ignorePatterns.push(pattern);
}
this.rootPatternsToOrigin[pattern] = depType;
patterns.push(pattern);
deps.push({pattern, registry, hint, optional, workspaceName: manifest.name, workspaceLoc: manifest._loc});
}
};
if (cwdIsRoot) {
pushDeps('dependencies', projectManifestJson, {hint: null, optional: false}, true);
pushDeps('devDependencies', projectManifestJson, {hint: 'dev', optional: false}, !this.config.production);
pushDeps('optionalDependencies', projectManifestJson, {hint: 'optional', optional: true}, true);
}
if (this.config.workspaceRootFolder) {
const workspaceLoc = cwdIsRoot ? loc : path.join(this.config.lockfileFolder, filename);
const workspacesRoot = path.dirname(workspaceLoc);
let workspaceManifestJson = projectManifestJson;
if (!cwdIsRoot) {
// the manifest we read before was a child workspace, so get the root
workspaceManifestJson = await this.config.readJson(workspaceLoc);
await normalizeManifest(workspaceManifestJson, workspacesRoot, this.config, true);
}
const workspaces = await this.config.resolveWorkspaces(workspacesRoot, workspaceManifestJson);
workspaceLayout = new WorkspaceLayout(workspaces, this.config);
// add virtual manifest that depends on all workspaces, this way package hoisters and resolvers will work fine
const workspaceDependencies = {...workspaceManifestJson.dependencies};
for (const workspaceName of Object.keys(workspaces)) {
const workspaceManifest = workspaces[workspaceName].manifest;
workspaceDependencies[workspaceName] = workspaceManifest.version;
// include dependencies from all workspaces
if (this.flags.includeWorkspaceDeps) {
pushDeps('dependencies', workspaceManifest, {hint: null, optional: false}, true);
pushDeps('devDependencies', workspaceManifest, {hint: 'dev', optional: false}, !this.config.production);
pushDeps('optionalDependencies', workspaceManifest, {hint: 'optional', optional: true}, true);
}
}
const virtualDependencyManifest: Manifest = {
_uid: '',
name: `workspace-aggregator-${uuid.v4()}`,
version: '1.0.0',
_registry: 'npm',
_loc: workspacesRoot,
dependencies: workspaceDependencies,
devDependencies: {...workspaceManifestJson.devDependencies},
optionalDependencies: {...workspaceManifestJson.optionalDependencies},
private: workspaceManifestJson.private,
workspaces: workspaceManifestJson.workspaces,
};
workspaceLayout.virtualManifestName = virtualDependencyManifest.name;
const virtualDep = {};
virtualDep[virtualDependencyManifest.name] = virtualDependencyManifest.version;
workspaces[virtualDependencyManifest.name] = {loc: workspacesRoot, manifest: virtualDependencyManifest};
// ensure dependencies that should be excluded are stripped from the correct manifest
stripExcluded(cwdIsRoot ? virtualDependencyManifest : workspaces[projectManifestJson.name].manifest);
pushDeps('workspaces', {workspaces: virtualDep}, {hint: 'workspaces', optional: false}, true);
const implicitWorkspaceDependencies = {...workspaceDependencies};
for (const type of constants.OWNED_DEPENDENCY_TYPES) {
for (const dependencyName of Object.keys(projectManifestJson[type] || {})) {
delete implicitWorkspaceDependencies[dependencyName];
}
}
pushDeps(
'dependencies',
{dependencies: implicitWorkspaceDependencies},
{hint: 'workspaces', optional: false},
true,
);
}
break;
}
// inherit root flat flag
if (manifest.flat) {
this.flags.flat = true;
}
return {
requests: [...resolutionDeps, ...deps],
patterns,
manifest,
usedPatterns,
ignorePatterns,
workspaceLayout,
};
}
/**
* TODO description
*/
prepareRequests(requests: DependencyRequestPatterns): DependencyRequestPatterns {
return requests;
}
preparePatterns(patterns: Array<string>): Array<string> {
return patterns;
}
preparePatternsForLinking(patterns: Array<string>, cwdManifest: Manifest, cwdIsRoot: boolean): Array<string> {
return patterns;
}
async prepareManifests(): Promise<RootManifests> {
const manifests = await this.config.getRootManifests();
return manifests;
}
async bailout(patterns: Array<string>, workspaceLayout: ?WorkspaceLayout): Promise<boolean> {
// We don't want to skip the audit - it could yield important errors
if (this.flags.audit) {
return false;
}
// PNP is so fast that the integrity check isn't pertinent
if (this.config.plugnplayEnabled) {
return false;
}
if (this.flags.skipIntegrityCheck || this.flags.force) {
return false;
}
const lockfileCache = this.lockfile.cache;
if (!lockfileCache) {
return false;
}
const lockfileClean = this.lockfile.parseResultType === 'success';
const match = await this.integrityChecker.check(patterns, lockfileCache, this.flags, workspaceLayout);
if (this.flags.frozenLockfile && (!lockfileClean || match.missingPatterns.length > 0)) {
throw new MessageError(this.reporter.lang('frozenLockfileError'));
}
const haveLockfile = await fs.exists(path.join(this.config.lockfileFolder, constants.LOCKFILE_FILENAME));
const lockfileIntegrityPresent = !this.lockfile.hasEntriesExistWithoutIntegrity();
const integrityBailout = lockfileIntegrityPresent || !this.config.autoAddIntegrity;
if (match.integrityMatches && haveLockfile && lockfileClean && integrityBailout) {
this.reporter.success(this.reporter.lang('upToDate'));
return true;
}
if (match.integrityFileMissing && haveLockfile) {
// Integrity file missing, force script installations
this.scripts.setForce(true);
return false;
}
if (match.hardRefreshRequired) {
// e.g. node version doesn't match, force script installations
this.scripts.setForce(true);
return false;
}
if (!patterns.length && !match.integrityFileMissing) {
this.reporter.success(this.reporter.lang('nothingToInstall'));
await this.createEmptyManifestFolders();
await this.saveLockfileAndIntegrity(patterns, workspaceLayout);
return true;
}
return false;
}
/**
* Produce empty folders for all used root manifests.
*/
async createEmptyManifestFolders(): Promise<void> {
if (this.config.modulesFolder) {
// already created
return;
}
for (const registryName of this.rootManifestRegistries) {
const {folder} = this.config.registries[registryName];
await fs.mkdirp(path.join(this.config.lockfileFolder, folder));
}
}
/**
* TODO description
*/
markIgnored(patterns: Array<string>) {
for (const pattern of patterns) {
const manifest = this.resolver.getStrictResolvedPattern(pattern);
const ref = manifest._reference;
invariant(ref, 'expected package reference');
// just mark the package as ignored. if the package is used by a required package, the hoister
// will take care of that.
ref.ignore = true;
}
}
/**
* helper method that gets only recent manifests
* used by global.ls command
*/
async getFlattenedDeps(): Promise<Array<string>> {
const {requests: depRequests, patterns: rawPatterns} = await this.fetchRequestFromCwd();
await this.resolver.init(depRequests, {});
const manifests = await fetcher.fetch(this.resolver.getManifests(), this.config);
this.resolver.updateManifests(manifests);
return this.flatten(rawPatterns);
}
/**
* TODO description
*/
async init(): Promise<Array<string>> {
this.checkUpdate();
// warn if we have a shrinkwrap
if (await fs.exists(path.join(this.config.lockfileFolder, constants.NPM_SHRINKWRAP_FILENAME))) {
this.reporter.warn(this.reporter.lang('shrinkwrapWarning'));
}
// warn if we have an npm lockfile
if (await fs.exists(path.join(this.config.lockfileFolder, constants.NPM_LOCK_FILENAME))) {
this.reporter.warn(this.reporter.lang('npmLockfileWarning'));
}
let flattenedTopLevelPatterns: Array<string> = [];
const steps: Array<(curr: number, total: number) => Promise<{bailout: boolean} | void>> = [];
const {
requests: depRequests,
patterns: rawPatterns,
ignorePatterns,
workspaceLayout,
manifest,
} = await this.fetchRequestFromCwd();
let topLevelPatterns: Array<string> = [];
const artifacts = await this.integrityChecker.getArtifacts();
if (artifacts) {
this.linker.setArtifacts(artifacts);
this.scripts.setArtifacts(artifacts);
}
if (!this.flags.ignoreEngines && typeof manifest.engines === 'object') {
steps.push(async (curr: number, total: number) => {
this.reporter.step(curr, total, this.reporter.lang('checkingManifest'), emoji.get('mag'));
await this.checkCompatibility();
});
}
const audit = new Audit(this.config, this.reporter);
let auditFoundProblems = false;
steps.push((curr: number, total: number) =>
callThroughHook('resolveStep', async () => {
this.reporter.step(curr, total, this.reporter.lang('resolvingPackages'), emoji.get('mag'));
await this.resolver.init(this.prepareRequests(depRequests), {
isFlat: this.flags.flat,
isFrozen: this.flags.frozenLockfile,
workspaceLayout,
});
topLevelPatterns = this.preparePatterns(rawPatterns);
flattenedTopLevelPatterns = await this.flatten(topLevelPatterns);
return {bailout: !this.flags.audit && (await this.bailout(topLevelPatterns, workspaceLayout))};
}),
);
if (this.flags.audit) {
steps.push((curr: number, total: number) =>
callThroughHook('auditStep', async () => {
this.reporter.step(curr, total, this.reporter.lang('auditRunning'), emoji.get('mag'));
if (this.flags.offline) {
this.reporter.warn(this.reporter.lang('auditOffline'));
return {bailout: false};
}
const preparedManifests = await this.prepareManifests();
// $FlowFixMe - Flow considers `m` in the map operation to be "mixed", so does not recognize `m.object`
const mergedManifest = Object.assign({}, ...Object.values(preparedManifests).map(m => m.object));
const auditVulnerabilityCounts = await audit.performAudit(
mergedManifest,
this.resolver,
this.linker,
topLevelPatterns,
);
auditFoundProblems =
auditVulnerabilityCounts.info ||
auditVulnerabilityCounts.low ||
auditVulnerabilityCounts.moderate ||
auditVulnerabilityCounts.high ||
auditVulnerabilityCounts.critical;
return {bailout: await this.bailout(topLevelPatterns, workspaceLayout)};
}),
);
}
steps.push((curr: number, total: number) =>
callThroughHook('fetchStep', async () => {
this.markIgnored(ignorePatterns);
this.reporter.step(curr, total, this.reporter.lang('fetchingPackages'), emoji.get('truck'));
const manifests: Array<Manifest> = await fetcher.fetch(this.resolver.getManifests(), this.config);
this.resolver.updateManifests(manifests);
await compatibility.check(this.resolver.getManifests(), this.config, this.flags.ignoreEngines);
}),
);
steps.push((curr: number, total: number) =>
callThroughHook('linkStep', async () => {
// remove integrity hash to make this operation atomic
await this.integrityChecker.removeIntegrityFile();
this.reporter.step(curr, total, this.reporter.lang('linkingDependencies'), emoji.get('link'));
flattenedTopLevelPatterns = this.preparePatternsForLinking(
flattenedTopLevelPatterns,
manifest,
this.config.lockfileFolder === this.config.cwd,
);
await this.linker.init(flattenedTopLevelPatterns, workspaceLayout, {
linkDuplicates: this.flags.linkDuplicates,
ignoreOptional: this.flags.ignoreOptional,
});
}),
);
if (this.config.plugnplayEnabled) {
steps.push((curr: number, total: number) =>
callThroughHook('pnpStep', async () => {
const pnpPath = `${this.config.lockfileFolder}/${constants.PNP_FILENAME}`;
const code = await generatePnpMap(this.config, flattenedTopLevelPatterns, {
resolver: this.resolver,
reporter: this.reporter,
targetPath: pnpPath,
workspaceLayout,
});
try {
const file = await fs.readFile(pnpPath);
if (file === code) {
return;
}
} catch (error) {}
await fs.writeFile(pnpPath, code);
await fs.chmod(pnpPath, 0o755);
}),
);
}
steps.push((curr: number, total: number) =>
callThroughHook('buildStep', async () => {
this.reporter.step(
curr,
total,
this.flags.force ? this.reporter.lang('rebuildingPackages') : this.reporter.lang('buildingFreshPackages'),
emoji.get('page_with_curl'),
);
if (this.flags.ignoreScripts) {
this.reporter.warn(this.reporter.lang('ignoredScripts'));
} else {
await this.scripts.init(flattenedTopLevelPatterns);
}
}),
);
if (this.flags.har) {
steps.push(async (curr: number, total: number) => {
const formattedDate = new Date().toISOString().replace(/:/g, '-');
const filename = `yarn-install_${formattedDate}.har`;
this.reporter.step(
curr,
total,
this.reporter.lang('savingHar', filename),
emoji.get('black_circle_for_record'),
);
await this.config.requestManager.saveHar(filename);
});
}
if (await this.shouldClean()) {
steps.push(async (curr: number, total: number) => {
this.reporter.step(curr, total, this.reporter.lang('cleaningModules'), emoji.get('recycle'));
await clean(this.config, this.reporter);
});
}
let currentStep = 0;
for (const step of steps) {
const stepResult = await step(++currentStep, steps.length);
if (stepResult && stepResult.bailout) {
if (this.flags.audit) {
audit.summary();
}
if (auditFoundProblems) {
this.reporter.warn(this.reporter.lang('auditRunAuditForDetails'));
}
this.maybeOutputUpdate();
return flattenedTopLevelPatterns;
}
}
// fin!
if (this.flags.audit) {
audit.summary();
}
if (auditFoundProblems) {
this.reporter.warn(this.reporter.lang('auditRunAuditForDetails'));
}
await this.saveLockfileAndIntegrity(topLevelPatterns, workspaceLayout);
await this.persistChanges();
this.maybeOutputUpdate();
this.config.requestManager.clearCache();
return flattenedTopLevelPatterns;
}
async checkCompatibility(): Promise<void> {
const {manifest} = await this.fetchRequestFromCwd();
await compatibility.checkOne({_reference: {}, ...manifest}, this.config, this.flags.ignoreEngines);
}
async persistChanges(): Promise<void> {
// get all the different registry manifests in this folder
const manifests = await this.config.getRootManifests();
if (await this.applyChanges(manifests)) {
await this.config.saveRootManifests(manifests);
}
}
applyChanges(manifests: RootManifests): Promise<boolean> {
let hasChanged = false;
if (this.config.plugnplayPersist) {
const {object} = manifests.npm;
if (typeof object.installConfig !== 'object') {
object.installConfig = {};
}
if (this.config.plugnplayEnabled && object.installConfig.pnp !== true) {
object.installConfig.pnp = true;
hasChanged = true;
} else if (!this.config.plugnplayEnabled && typeof object.installConfig.pnp !== 'undefined') {
delete object.installConfig.pnp;
hasChanged = true;
}
if (Object.keys(object.installConfig).length === 0) {
delete object.installConfig;
}
}
return Promise.resolve(hasChanged);
}
/**
* Check if we should run the cleaning step.
*/
shouldClean(): Promise<boolean> {
return fs.exists(path.join(this.config.lockfileFolder, constants.CLEAN_FILENAME));
}
/**
* TODO
*/
async flatten(patterns: Array<string>): Promise<Array<string>> {
if (!this.flags.flat) {
return patterns;
}
const flattenedPatterns = [];
for (const name of this.resolver.getAllDependencyNamesByLevelOrder(patterns)) {
const infos = this.resolver.getAllInfoForPackageName(name).filter((manifest: Manifest): boolean => {
const ref = manifest._reference;
invariant(ref, 'expected package reference');
return !ref.ignore;
});
if (infos.length === 0) {
continue;
}
if (infos.length === 1) {
// single version of this package
// take out a single pattern as multiple patterns may have resolved to this package
flattenedPatterns.push(this.resolver.patternsByPackage[name][0]);
continue;
}
const options = infos.map((info): ReporterSelectOption => {
const ref = info._reference;
invariant(ref, 'expected reference');
return {
// TODO `and is required by {PARENT}`,
name: this.reporter.lang('manualVersionResolutionOption', ref.patterns.join(', '), info.version),
value: info.version,
};
});
const versions = infos.map((info): string => info.version);
let version: ?string;
const resolutionVersion = this.resolutions[name];
if (resolutionVersion && versions.indexOf(resolutionVersion) >= 0) {
// use json `resolution` version
version = resolutionVersion;
} else {
version = await this.reporter.select(
this.reporter.lang('manualVersionResolution', name),
this.reporter.lang('answer'),
options,
);
this.resolutions[name] = version;
}
flattenedPatterns.push(this.resolver.collapseAllVersionsOfPackage(name, version));
}
// save resolutions to their appropriate root manifest
if (Object.keys(this.resolutions).length) {
const manifests = await this.config.getRootManifests();
for (const name in this.resolutions) {
const version = this.resolutions[name];
const patterns = this.resolver.patternsByPackage[name];
if (!patterns) {
continue;
}
let manifest;
for (const pattern of patterns) {
manifest = this.resolver.getResolvedPattern(pattern);
if (manifest) {
break;
}
}
invariant(manifest, 'expected manifest');
const ref = manifest._reference;
invariant(ref, 'expected reference');
const object = manifests[ref.registry].object;
object.resolutions = object.resolutions || {};
object.resolutions[name] = version;
}
await this.config.saveRootManifests(manifests);
}
return flattenedPatterns;
}
/**
* Remove offline tarballs that are no longer required
*/
async pruneOfflineMirror(lockfile: LockfileObject): Promise<void> {
const mirror = this.config.getOfflineMirrorPath();
if (!mirror) {
return;
}
const requiredTarballs = new Set();
for (const dependency in lockfile) {
const resolved = lockfile[dependency].resolved;
if (resolved) {
const basename = path.basename(resolved.split('#')[0]);
if (dependency[0] === '@' && basename[0] !== '@') {
requiredTarballs.add(`${dependency.split('/')[0]}-${basename}`);
}
requiredTarballs.add(basename);
}
}
const mirrorFiles = await fs.walk(mirror);
for (const file of mirrorFiles) {
const isTarball = path.extname(file.basename) === '.tgz';
// if using experimental-pack-script-packages-in-mirror flag, don't unlink prebuilt packages
const hasPrebuiltPackage = file.relative.startsWith('prebuilt/');
if (isTarball && !hasPrebuiltPackage && !requiredTarballs.has(file.basename)) {
await fs.unlink(file.absolute);
}
}
}
/**
* Save updated integrity and lockfiles.
*/
async saveLockfileAndIntegrity(patterns: Array<string>, workspaceLayout: ?WorkspaceLayout): Promise<void> {
const resolvedPatterns: {[packagePattern: string]: Manifest} = {};
Object.keys(this.resolver.patterns).forEach(pattern => {
if (!workspaceLayout || !workspaceLayout.getManifestByPattern(pattern)) {
resolvedPatterns[pattern] = this.resolver.patterns[pattern];
}
});
// TODO this code is duplicated in a few places, need a common way to filter out workspace patterns from lockfile
patterns = patterns.filter(p => !workspaceLayout || !workspaceLayout.getManifestByPattern(p));
const lockfileBasedOnResolver = this.lockfile.getLockfile(resolvedPatterns);
if (this.config.pruneOfflineMirror) {
await this.pruneOfflineMirror(lockfileBasedOnResolver);
}
// write integrity hash
if (!this.config.plugnplayEnabled) {
await this.integrityChecker.save(
patterns,
lockfileBasedOnResolver,
this.flags,
workspaceLayout,
this.scripts.getArtifacts(),
);
}
// --no-lockfile or --pure-lockfile or --frozen-lockfile
if (this.flags.lockfile === false || this.flags.pureLockfile || this.flags.frozenLockfile) {
return;
}
const lockFileHasAllPatterns = patterns.every(p => this.lockfile.getLocked(p));
const lockfilePatternsMatch = Object.keys(this.lockfile.cache || {}).every(p => lockfileBasedOnResolver[p]);
const resolverPatternsAreSameAsInLockfile = Object.keys(lockfileBasedOnResolver).every(pattern => {
const manifest = this.lockfile.getLocked(pattern);
return (
manifest &&
manifest.resolved === lockfileBasedOnResolver[pattern].resolved &&
deepEqual(manifest.prebuiltVariants, lockfileBasedOnResolver[pattern].prebuiltVariants)
);
});
const integrityPatternsAreSameAsInLockfile = Object.keys(lockfileBasedOnResolver).every(pattern => {
const existingIntegrityInfo = lockfileBasedOnResolver[pattern].integrity;
if (!existingIntegrityInfo) {
// if this entry does not have an integrity, no need to re-write the lockfile because of it
return true;
}
const manifest = this.lockfile.getLocked(pattern);
if (manifest && manifest.integrity) {
const manifestIntegrity = ssri.stringify(manifest.integrity);
return manifestIntegrity === existingIntegrityInfo;
}
return false;
});
// remove command is followed by install with force, lockfile will be rewritten in any case then
if (
!this.flags.force &&
this.lockfile.parseResultType === 'success' &&
lockFileHasAllPatterns &&
lockfilePatternsMatch &&
resolverPatternsAreSameAsInLockfile &&
integrityPatternsAreSameAsInLockfile &&
patterns.length
) {
return;
}
// build lockfile location
const loc = path.join(this.config.lockfileFolder, constants.LOCKFILE_FILENAME);
// write lockfile
const lockSource = lockStringify(lockfileBasedOnResolver, false, this.config.enableLockfileVersions);
await fs.writeFilePreservingEol(loc, lockSource);