-
Notifications
You must be signed in to change notification settings - Fork 5.2k
/
Copy pathpackage-source.js
1690 lines (1461 loc) · 57.3 KB
/
package-source.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
var _ = require('underscore');
var sourcemap = require('source-map');
var files = require('../fs/files.js');
var utils = require('../utils/utils.js');
var watch = require('../fs/watch.js');
var buildmessage = require('../utils/buildmessage.js');
var meteorNpm = require('./meteor-npm.js');
import Builder from './builder.js';
var archinfo = require('../utils/archinfo.js');
var catalog = require('../packaging/catalog/catalog.js');
var packageVersionParser = require('../packaging/package-version-parser.js');
var compiler = require('./compiler.js');
var Profile = require('../tool-env/profile.js').Profile;
import SourceArch from './source-arch.js';
import { PackageNamespace } from "./package-namespace.js";
import { PackageNpm } from "./package-npm.js";
import { PackageCordova } from "./package-cordova.js";
import { PackageAPI } from "./package-api.js";
import {
TEST_FILENAME_REGEXPS,
APP_TEST_FILENAME_REGEXPS,
isTestFilePath,
} from './test-files.js';
import {
convert as convertColonsInPath
} from '../utils/colon-converter.js';
import {
optimisticReadFile,
optimisticHashOrNull,
optimisticStatOrNull,
optimisticReadMeteorIgnore,
} from "../fs/optimistic.js";
// XXX: This is a medium-term hack, to avoid having the user set a package name
// & test-name in package.describe. We will change this in the new control file
// world in some way.
var AUTO_TEST_PREFIX = "local-test:";
var isTestName = function (name) {
var nameStart = name.slice(0, AUTO_TEST_PREFIX.length);
return nameStart === AUTO_TEST_PREFIX;
};
var genTestName = function (name) {
return AUTO_TEST_PREFIX + name;
};
// Returns a sort comparator to order files into load order.
var loadOrderSort = function (sourceProcessorSet, arch) {
const isTemplate = _.memoize((filename) => {
const classification = sourceProcessorSet.classifyFilename(filename, arch);
switch (classification.type) {
case 'extension':
case 'filename':
if (! classification.sourceProcessors) {
// This is *.js, not a template. #HardcodeJs
return false;
}
if (classification.sourceProcessors.length > 1) {
throw Error("conflicts in compiler?");
}
return classification.sourceProcessors[0].isTemplate;
case 'legacy-handler':
return classification.legacyIsTemplate;
case 'wrong-arch':
case 'unmatched':
case 'meteor-ignore':
return false;
default:
throw Error(`surprising type ${classification.type} for ${filename}`);
}
});
return function (a, b) {
// XXX MODERATELY SIZED HACK --
// push template files ahead of everything else. this is
// important because the user wants to be able to say
// Template.foo.events = { ... }
// in a JS file and not have to worry about ordering it
// before the corresponding .html file.
//
// maybe all of the templates should go in one file?
var isTemplate_a = isTemplate(files.pathBasename(a));
var isTemplate_b = isTemplate(files.pathBasename(b));
if (isTemplate_a !== isTemplate_b) {
return (isTemplate_a ? -1 : 1);
}
// main.* loaded last
var ismain_a = (files.pathBasename(a).indexOf('main.') === 0);
var ismain_b = (files.pathBasename(b).indexOf('main.') === 0);
if (ismain_a !== ismain_b) {
return (ismain_a ? 1 : -1);
}
// /lib/ loaded first
var islib_a = (a.indexOf(files.pathSep + 'lib' + files.pathSep) !== -1 ||
a.indexOf('lib' + files.pathSep) === 0);
var islib_b = (b.indexOf(files.pathSep + 'lib' + files.pathSep) !== -1 ||
b.indexOf('lib' + files.pathSep) === 0);
if (islib_a !== islib_b) {
return (islib_a ? -1 : 1);
}
var a_parts = a.split(files.pathSep);
var b_parts = b.split(files.pathSep);
// deeper paths loaded first.
var len_a = a_parts.length;
var len_b = b_parts.length;
if (len_a < len_b) {
return 1;
}
if (len_b < len_a) {
return -1;
}
// Otherwise compare path components lexicographically.
for (var i = 0; i < len_a; ++i) {
var a_part = a_parts[i];
var b_part = b_parts[i];
if (a_part < b_part) {
return -1;
}
if (b_part < a_part) {
return 1;
}
}
// Never reached unless there are somehow duplicate paths.
return 0;
};
};
var splitConstraint = function (c) {
// XXX print error better (w/ buildmessage?)?
var parsed = utils.parsePackageConstraint(c);
return { package: parsed.package,
constraint: parsed.constraintString || null };
};
// Given the text of a README.md file, excerpts the text between the first and
// second heading.
//
// Specifically - if there is text between the document name, and the first
// subheading, it will take that text. If there is no text there, and only text
// after the first subheading, it will take that text. It won't look any deeper
// than that (in case the user intentionally wants to leave the section blank
// for some reason). Skips lines that start with an exclamation point.
var getExcerptFromReadme = function (text) {
// Don't waste time parsing if the document is empty.
if (! text) {
return "";
}
// Split into lines with Commonmark.
var commonmark = require('commonmark');
var reader = new commonmark.DocParser();
var parsed = reader.parse(text);
// Commonmark will parse the Markdown into an array of nodes. These are the
// nodes that represent the text between the first and second heading.
var relevantNodes = [];
// Go through the document until we get the nodes that we are looking for,
// then stop.
_.any(parsed.children, function (child) {
var isHeader = (child.t === "Header");
// Don't excerpt anything before the first header.
if (! isHeader) {
// If we are currently in the middle of excerpting, continue doing that
// until we hit hit a header (and this is not a header). Otherwise, if
// this is text, we should begin to excerpt it.
relevantNodes.push(child);
} else if (! _.isEmpty(relevantNodes) && isHeader) {
// We have been excerpting, and came across a header. That means
// that we are done.
return true;
}
return false;
});
// If we have not found anything, we are done.
if (_.isEmpty(relevantNodes)) {
return "";
}
// For now, we will do the simple thing of just taking the raw markdown from
// the start of the excerpt to the end.
var textLines = text.split("\n");
var start = relevantNodes[0].start_line - 1;
var stop = _.last(relevantNodes).end_line;
// XXX: There is a bug in commonmark that happens when processing the last
// node in the document. Here is the github issue:
// https://github.com/jgm/CommonMark/issues/276
// Remove this workaround when the issue is fixed.
if (stop === _.last(parsed.children).end_line) {
stop++;
}
var excerpt = textLines.slice(start, stop).join("\n");
// Strip the preceeding and trailing new lines.
return excerpt.replace(/^\n+|\n+$/g, "");
};
class SymlinkLoopChecker {
constructor(sourceRoot) {
this.sourceRoot = sourceRoot;
this._seenPaths = {};
}
check(relDir, quietly = true) {
const absPath = files.pathJoin(this.sourceRoot, relDir);
try {
var realPath = files.realpath(absPath);
} catch (e) {
if (!e || e.code !== 'ELOOP') {
throw e;
}
// else leave realPath undefined
}
if (! realPath || _.has(this._seenPaths, realPath)) {
if (! quietly) {
buildmessage.error("Symlink cycle detected at " + relDir);
}
return true;
}
this._seenPaths[realPath] = true;
return false;
}
}
///////////////////////////////////////////////////////////////////////////////
// PackageSource
///////////////////////////////////////////////////////////////////////////////
var PackageSource = function () {
var self = this;
// The name of the package, or null for an app pseudo-package or
// collection. The package's exports will reside in Package.<name>.
// When it is null it is linked like an application instead of like
// a package.
self.name = null;
// The path relative to which all source file paths are interpreted
// in this package. Also used to compute the location of the
// package's .npm directory (npm shrinkwrap state).
self.sourceRoot = null;
// Path that will be prepended to the URLs of all resources emitted
// by this package (assuming they don't end up getting
// concatenated). For non-web targets, the only effect this will
// have is to change the actual on-disk paths of the files in the
// bundle, for those that care to open up the bundle and look (but
// it's still nice to get it right).
self.serveRoot = null;
// Package metadata. Keys are 'summary', 'git' and 'documentation'. Currently
// all of these are optional.
self.metadata = {};
self.docsExplicitlyProvided = false;
// Package version as a meteor-version string. Optional; not all packages
// (for example, the app) have versions.
// XXX when we have names, maybe we want to say that all packages
// with names have versions? certainly the reverse is true
self.version = null;
self.versionExplicitlyProvided = false;
// Available architectures of this package. Array of SourceArch.
self.architectures = [];
// The information necessary to build the plugins in this
// package. Map from plugin name to object with keys 'name', 'use',
// 'sources', and 'npmDependencies'.
self.pluginInfo = {};
// Analogous to watchSet in SourceArch but for plugins. At this
// stage will typically contain just 'package.js'.
self.pluginWatchSet = new watch.WatchSet;
// npm packages used by this package (on os.* architectures only).
// Map from npm package name to the required version of the package
// as a string.
self.npmDependencies = {};
// Files to be stripped from the installed NPM dependency tree. See the
// Npm.strip comment below for further usage information.
self.npmDiscards = null;
// Absolute path to a directory on disk that serves as a cache for
// the npm dependencies, so we don't have to fetch them on every
// build. Required not just if we have npmDependencies, but if we
// ever could have had them in the past.
self.npmCacheDirectory = null;
// cordova plugins used by this package (on os.* architectures only).
// Map from cordova plugin name to the required version of the package
// as a string.
self.cordovaDependencies = {};
// If this package has a corresponding test package (for example,
// underscore-test), defined in the same package.js file, store its value
// here.
self.testName = null;
// Test packages are dealt with differently in the linker (and not published
// to the catalog), so we need to keep track of them.
self.isTest = false;
// Some packages belong to a test framework and should never be bundled into
// production. A package with this flag should not be picked up by the bundler
// for production builds.
self.debugOnly = false;
// A package marked prodOnly is ONLY picked up by the bundler for production
// builds.
self.prodOnly = false;
// A package marked testOnly is ONLY picked up by the bundler as
// part of the `meteor test` command.
self.testOnly = false;
// If this is set, we will take the currently running git checkout and bundle
// the meteor tool from it inside this package as a tool. We will include
// built copies of all known isopackets.
self.includeTool = false;
// Is this a core package? Core packages don't record version files, because
// core packages are only ever run from checkout. For the preview release,
// core packages do not need to specify their versions at publication (since
// there isn't likely to be any exciting version skew yet), but we will
// specify the correct restrictions at 0.90.
// XXX: 0.90 package versions.
self.isCore = false;
};
_.extend(PackageSource.prototype, {
// Make a dummy (empty) packageSource that contains nothing of interest.
// XXX: Do we need this
initEmpty: function (name) {
var self = this;
self.name = name;
},
// Programmatically initialize a PackageSource from scratch.
//
// Unlike user-facing methods of creating a package
// (initFromPackageDir, initFromAppDir) this does not implicitly add
// a dependency on the 'meteor' package. If you want such a
// dependency then you must add it yourself.
//
// If called inside a buildmessage job, it will keep going if things
// go wrong. Be sure to call jobHasMessages to see if it actually
// succeeded.
//
// The architecture is hardcoded to be "os".
//
// Note that this does not set a version on the package!
//
// Options:
// - sourceRoot (required if sources present)
// - serveRoot (required if sources present)
// - use
// - sources (array of paths or relPath/fileOptions objects), note that this
// doesn't support assets at this time. If you want to pass assets here, you
// should add a new option to this function called `assets`.
// - npmDependencies
// - cordovaDependencies
// - npmDir
// - localNodeModulesDirs
initFromOptions: function (name, options) {
var self = this;
self.name = name;
if (options.sources && ! _.isEmpty(options.sources) &&
(! options.sourceRoot || ! options.serveRoot)) {
throw new Error("When source files are given, sourceRoot and " +
"serveRoot must be specified");
}
// sourceRoot is a relative file system path, one slash identifies a root
// relative to some starting location
self.sourceRoot = options.sourceRoot || files.pathSep;
// serveRoot is actually a part of a url path, root here is a forward slash
self.serveRoot = options.serveRoot || '/';
utils.ensureOnlyValidVersions(options.npmDependencies, {forCordova: false});
self.npmDependencies = options.npmDependencies;
// If options.npmDir is a string, make sure it contains no colons.
self.npmCacheDirectory = _.isString(options.npmDir)
? convertColonsInPath(options.npmDir)
: options.npmDir;
utils.ensureOnlyValidVersions(options.cordovaDependencies, {forCordova: true});
self.cordovaDependencies = options.cordovaDependencies;
const sources = options.sources.map((source) => {
if (typeof source === "string") {
return {
relPath: source
};
}
return source;
});
const sourceArch = new SourceArch(self, {
kind: options.kind,
arch: "os",
sourceRoot: self.sourceRoot,
uses: _.map(options.use, splitConstraint),
getFiles() {
return {
sources: sources
}
}
});
if (options.localNodeModulesDirs) {
_.extend(sourceArch.localNodeModulesDirs,
options.localNodeModulesDirs);
}
self.architectures.push(sourceArch);
if (! self._checkCrossUnibuildVersionConstraints()) {
throw new Error("only one unibuild, so how can consistency check fail?");
}
},
// Initialize a PackageSource from a package.js-style package directory. Uses
// the name field provided and the name/test fields in the package.js file to
// figre out if this is a test package (load from onTest) or a use package
// (load from onUse).
//
// name: name of the package.
// dir: location of directory on disk.
// options:
// - name: override the name of this package with a different name.
// - buildingIsopackets: true if this is being scanned in the process
// of building isopackets
initFromPackageDir: Profile("PackageSource#initFromPackageDir", function (dir, options) {
var self = this;
buildmessage.assertInCapture();
var isPortable = true;
options = options || {};
var initFromPackageDirOptions = options;
// If we know what package we are initializing, we pass in a
// name. Otherwise, we are intializing the base package specified by 'name:'
// field in Package.Describe. In that case, it is clearly not a test
// package. (Though we could be initializing a specific package without it
// being a test, for a variety of reasons).
if (options.name) {
self.isTest = isTestName(options.name);
self.name = options.name;
}
// Give the package a default version. We do not set
// versionExplicitlyProvided unless the package configuration file actually
// sets a version.
self.version = "0.0.0";
// To make the transition to using README.md files in Isobuild easier, we
// initialize the documentation directory to README.md by default.
self.metadata.documentation = "README.md";
self.sourceRoot = dir;
// If we are running from checkout we may be looking at a core package. If
// we are, let's remember this for things like not recording version files.
if (files.inCheckout()) {
var packDir = files.pathJoin(files.getCurrentToolsDir(), 'packages');
if (files.pathDirname(self.sourceRoot) === packDir) {
self.isCore = true;
}
}
if (! files.exists(self.sourceRoot)) {
throw new Error("putative package directory " + dir + " doesn't exist?");
}
const packageFileHashes = Object.create(null);
const packageJsPath = files.pathJoin(self.sourceRoot, 'package.js');
const packageJsCode = optimisticReadFile(packageJsPath);
packageFileHashes[packageJsPath] =
optimisticHashOrNull(packageJsPath);
const pkgJsonPath = files.pathJoin(self.sourceRoot, 'package.json');
const pkgJsonStat = optimisticStatOrNull(pkgJsonPath);
if (pkgJsonStat &&
pkgJsonStat.isFile()) {
packageFileHashes[pkgJsonPath] =
optimisticHashOrNull(pkgJsonPath);
}
function watchPackageFiles(watchSet) {
_.each(packageFileHashes, (hash, path) => {
watchSet.addFile(path, hash);
});
}
// Any package that depends on us needs to be rebuilt if our package.js file
// changes, because a change to package.js might add or remove a plugin,
// which could change a file from being handled by plugin vs treated as
// an asset.
watchPackageFiles(self.pluginWatchSet);
/**
* @global
* @name Package
* @summary The Package object in package.js
* @namespace
* @locus package.js
*/
const Package = new PackageNamespace(this);
/**
* @namespace Npm
* @global
* @summary The Npm object in package.js and package source files.
*/
const Npm = new PackageNpm();
/**
* @namespace Cordova
* @global
* @summary The Cordova object in package.js.
*/
const Cordova = new PackageCordova();
try {
files.runJavaScript(packageJsCode.toString('utf8'), {
filename: 'package.js',
symbols: { Package, Npm, Cordova }
});
} catch (e) {
buildmessage.exception(e);
// Could be a syntax error or an exception. Recover by
// continuing as if package.js is empty. (Pressing on with
// whatever handlers were registered before the exception turns
// out to feel pretty disconcerting -- definitely violates the
// principle of least surprise.) Leave the metadata if we have
// it, though.
Package._fileAndDepLoader = null;
self.pluginInfo = {};
Npm._dependencies = null;
Cordova._dependencies = null;
}
// In the past, we did not require a Package.Describe.name field. So, it is
// possible that we are initializing a package that doesn't use it and
// expects us to be implicit about it.
if (!self.name) {
// For backwards-compatibility, we will take the package name from the
// directory of the package. That was what we used to do: in fact, we used
// to only do that.
self.name = files.pathBasename(dir);
}
// Check to see if our name is valid.
try {
utils.validatePackageName(self.name);
} catch (e) {
if (!e.versionParserError) {
throw e;
}
buildmessage.error(e.message);
// recover by ignoring
}
// We want the "debug mode" to be a property of the *bundle* operation
// (turning a set of packages, including the app, into a star), not the
// *compile* operation (turning a package source into an isopack). This is
// so we don't have to publish two versions of each package. But we have no
// way to mark a file in an isopack as being the result of running a plugin
// from a debugOnly dependency, and so there is no way to tell which files
// to exclude in production mode from a published package. Eventually, we'll
// add such a flag to the isopack format, but until then we'll sidestep the
// issue by disallowing build plugins in debugOnly packages.
if ((self.debugOnly || self.prodOnly || self.testOnly) && !_.isEmpty(self.pluginInfo)) {
buildmessage.error(
"can't register build plugins in debugOnly, prodOnly or testOnly packages");
// recover by ignoring
}
// For this old-style, onUse/onTest/where-based package, figure
// out its dependencies by calling its on_xxx functions and seeing
// what it does.
//
// We have a simple strategy. Call its on_xxx handler with no
// 'where', which is what happens when the package is added
// directly to an app, and see what files it adds to the client
// and the server. When a package is used, include it in both the client
// and the server by default. This simple strategy doesn't capture even
// 10% of the complexity possible with onUse, onTest, and where, but
// probably is sufficient for virtually all packages that actually
// exist in the field, if not every single one. #OldStylePackageSupport
var api = new PackageAPI({
buildingIsopackets: !! initFromPackageDirOptions.buildingIsopackets
});
if (Package._fileAndDepLoader) {
try {
buildmessage.markBoundary(Package._fileAndDepLoader)(api);
} catch (e) {
console.log(e.stack); // XXX should we keep this here -- or do we want broken
// packages to fail silently?
buildmessage.exception(e);
// Recover by ignoring all of the source files in the
// packages and any remaining handlers. It violates the
// principle of least surprise to half-run a handler
// and then continue.
api.files = {};
_.each(compiler.ALL_ARCHES, function (arch) {
api.files[arch] = {
sources: [],
assets: []
};
});
Package._fileAndDepLoader = null;
self.pluginInfo = {};
Npm._dependencies = null;
Cordova._dependencies = null;
}
}
// By the way, you can't depend on yourself.
var doNotDepOnSelf = function (dep) {
if (dep.package === self.name) {
buildmessage.error("Circular dependency found: "
+ self.name +
" depends on itself.\n");
}
};
_.each(compiler.ALL_ARCHES, function (label) {
_.each(api.uses[label], doNotDepOnSelf);
_.each(api.implies[label], doNotDepOnSelf);
});
// Cause packages that use `prodOnly` to automatically depend on the
// `isobuild:prod-only` feature package, which will cause an error
// when a package using `prodOnly` is run by a version of the tool
// that doesn't support the feature. The choice of 'os' architecture
// is arbitrary, as the version solver combines the dependencies of all
// arches.
if (self.prodOnly) {
api.uses['os'].push({
package: 'isobuild:prod-only', constraint: '1.0.0'
});
}
// If we have specified some release, then we should go through the
// dependencies and fill in the unspecified constraints with the versions in
// the releases (if possible).
if (!_.isEmpty(api.releaseRecords)) {
// Given a dependency object with keys package (the name of the package)
// and constraint (the version constraint), if the constraint is null,
// look in the packages field in the release record and fill in from
// there.
var setFromRel = function (dep) {
if (dep.constraint) {
return dep;
}
var newConstraint = [];
_.each(api.releaseRecords, function (releaseRecord) {
var packages = releaseRecord.packages;
if(_.has(packages, dep.package)) {
newConstraint.push(packages[dep.package]);
}
});
if (_.isEmpty(newConstraint)) {
return dep;
}
dep.constraint = _.reduce(newConstraint,
function(x, y) {
return x + " || " + y;
});
return dep;
};
// For all api.implies and api.uses, fill in the unspecified dependencies from the
// release.
_.each(compiler.ALL_ARCHES, function (label) {
api.uses[label] = _.map(api.uses[label], setFromRel);
api.implies[label] = _.map(api.implies[label], setFromRel);
});
};
// Make sure that if a dependency was specified in multiple
// unibuilds, the constraint is exactly the same.
if (! self._checkCrossUnibuildVersionConstraints()) {
// A build error was written. Recover by ignoring the
// fact that we have differing constraints.
}
// Save information about npm dependencies. To keep metadata
// loading inexpensive, we won't actually fetch them until build
// time.
// We used to put the cache directly in .npm, but in linker-land,
// the package's own NPM dependencies go in .npm/package and build
// plugin X's goes in .npm/plugin/X. Notably, the former is NOT an
// ancestor of the latter, so that a build plugin does NOT see the
// package's node_modules. XXX maybe there should be separate NPM
// dirs for use vs test?
self.npmCacheDirectory =
files.pathResolve(files.pathJoin(self.sourceRoot, '.npm', 'package'));
self.npmDependencies = Npm._dependencies;
self.npmDiscards = Npm._discards;
self.cordovaDependencies = Cordova._dependencies;
// Create source architectures, one for the server and one for each web
// arch.
_.each(compiler.ALL_ARCHES, function (arch) {
// Everything depends on the package 'meteor', which sets up
// the basic environment) (except 'meteor' itself).
if (self.name !== "meteor" && !process.env.NO_METEOR_PACKAGE) {
// Don't add the dependency if one already exists. This allows the
// package to create an unordered dependency and override the one that
// we'd add here. This is necessary to resolve the circular dependency
// between meteor and underscore (underscore has an unordered
// dependency on meteor dating from when the .js extension handler was
// in the "meteor" package).
var alreadyDependsOnMeteor =
!! _.find(api.uses[arch], function (u) {
return u.package === "meteor";
});
if (! alreadyDependsOnMeteor) {
api.uses[arch].unshift({ package: "meteor" });
}
}
// Each unibuild has its own separate WatchSet. This is so that, eg, a test
// unibuild's dependencies doesn't end up getting merged into the
// pluginWatchSet of a package that uses it: only the use unibuild's
// dependencies need to go there!
var watchSet = new watch.WatchSet();
watchPackageFiles(watchSet);
self.architectures.push(new SourceArch(self, {
kind: "main",
arch: arch,
sourceRoot: self.sourceRoot,
uses: api.uses[arch],
implies: api.implies[arch],
getFiles(sourceProcessorSet, watchSet) {
const result = api.files[arch];
const relPathToSourceObj = Object.create(null);
const sources = result.sources;
// Files explicitly passed to api.addFiles remain at the
// beginning of api.files[arch].sources in their given order.
sources.forEach(source => {
relPathToSourceObj[source.relPath] = source;
});
self._findSources({
sourceProcessorSet,
watchSet,
sourceArch: this,
isApp: false
}).forEach(relPath => {
const source = relPathToSourceObj[relPath];
if (source) {
const fileOptions = source.fileOptions ||
(source.fileOptions = Object.create(null));
// Since this file was explicitly added with api.addFiles or
// api.mainModule, it should be loaded eagerly unless the
// caller specified a boolean fileOptions.lazy value.
if (typeof fileOptions.lazy !== "boolean") {
fileOptions.lazy = false;
}
} else {
const fileOptions = Object.create(null);
// Since this file was not explicitly added with
// api.addFiles, it should not be evaluated eagerly.
fileOptions.lazy = true;
sources.push(relPathToSourceObj[relPath] = {
relPath,
fileOptions,
});
}
});
return result;
},
declaredExports: api.exports[arch],
watchSet: watchSet
}));
});
// Serve root of the package.
self.serveRoot = files.pathJoin('/packages/', self.name);
// Name of the test.
if (Package._hasTests) {
self.testName = genTestName(self.name);
}
}),
_readAndWatchDirectory(relDir, watchSet, {include, exclude, names}) {
return watch.readAndWatchDirectory(watchSet, {
absPath: files.pathJoin(this.sourceRoot, relDir),
include, exclude, names
}).map(name => files.pathJoin(relDir, name));
},
// Initialize a package from an application directory (has .meteor/packages).
initFromAppDir: Profile("initFromAppDir", function (projectContext, ignoreFiles) {
var self = this;
var appDir = projectContext.projectDir;
self.name = null;
self.sourceRoot = appDir;
self.serveRoot = '/';
// Determine used packages. Note that these are the same for all arches,
// because there's no way to specify otherwise in .meteor/packages.
var uses = [];
projectContext.projectConstraintsFile.eachConstraint(function (constraint) {
uses.push({ package: constraint.package,
constraint: constraint.constraintString });
});
const projectWatchSet = projectContext.getProjectWatchSet();
const mainModulesByArch =
projectContext.meteorConfig.getMainModulesByArch();
const testModulesByArch =
projectContext.meteorConfig.getTestModulesByArch();
projectWatchSet.merge(projectContext.meteorConfig.watchSet);
_.each(compiler.ALL_ARCHES, function (arch) {
// We don't need to build a Cordova SourceArch if there are no Cordova
// platforms.
if (arch === 'web.cordova' &&
_.isEmpty(projectContext.platformList.getCordovaPlatforms())) {
return;
}
const mainModule = projectContext.meteorConfig
.getMainModuleForArch(arch, mainModulesByArch);
const testModule = projectContext.meteorConfig
.getTestModuleForArch(arch, testModulesByArch);
// XXX what about /web.browser/* etc, these directories could also
// be for specific client targets.
// Create unibuild
var sourceArch = new SourceArch(self, {
kind: 'app',
arch: arch,
sourceRoot: self.sourceRoot,
uses: uses,
getFiles(sourceProcessorSet, watchSet) {
sourceProcessorSet.watchSet = watchSet;
const findOptions = {
sourceProcessorSet,
watchSet,
sourceArch: this,
ignoreFiles,
isApp: true,
testModule,
};
// If this architecture has a mainModule defined in
// package.json, it's an error if _findSources doesn't find that
// module. If no mainModule is defined, anything goes.
let missingMainModule = !! mainModule;
const sources = self._findSources(findOptions).sort(
loadOrderSort(sourceProcessorSet, arch)
).map(relPath => {
if (relPath === mainModule) {
missingMainModule = false;
}
const fileOptions = self._inferAppFileOptions(relPath, {
arch,
mainModule,
testModule,
});
return {
relPath,
fileOptions,
};
});
if (missingMainModule) {
buildmessage.error([
"Could not find mainModule for '" + arch + "' architecture: " + mainModule,
'Check the "meteor" section of your package.json file?'
].join("\n"));
}
const assets = self._findAssets(findOptions);
return {
sources,
assets,
};
}
});
const origAppDir = projectContext.getOriginalAppDirForTestPackages();
const origNodeModulesDir = origAppDir &&
files.pathJoin(origAppDir, "node_modules");
const origNodeModulesStat = origNodeModulesDir &&
files.statOrNull(origNodeModulesDir);
if (origNodeModulesStat &&
origNodeModulesStat.isDirectory()) {
sourceArch.localNodeModulesDirs["node_modules"] = {
// Override these properties when calling
// addNodeModulesDirectory in compileUnibuild.
sourceRoot: origAppDir,
sourcePath: origNodeModulesDir,
local: false,
};
}
self.architectures.push(sourceArch);
// sourceArch's WatchSet should include all the project metadata files
// read by the ProjectContext.
sourceArch.watchSet.merge(projectWatchSet);
});
if (! self._checkCrossUnibuildVersionConstraints()) {
// should never happen since we created the unibuilds from
// .meteor/packages, which doesn't have a way to express
// different constraints for different unibuilds
throw new Error("conflicting constraints in a package?");
}
}),
_inferAppFileOptions(relPath, {
arch,
mainModule,
testModule,
}) {
const fileOptions = Object.create(null);
const {
isTest = false,
isAppTest = false,
} = global.testCommandMetadata || {};
let isTestFile = false;
if (isTest || isAppTest) {
if (typeof testModule === "undefined") {
// If a testModule was not configured in the "meteor" section of
// package.json for this architecture, then isTestFilePath should
// determine whether this file loads eagerly.
isTestFile = isTestFilePath(relPath);
} else if (relPath === testModule) {
// If testModule is a string === relPath, then it is the entry
// point for tests, and should be loaded eagerly.
isTestFile = true;
fileOptions.lazy = false;
fileOptions.testModule = true;
} else {
// If testModule was defined but !== relPath, this file should not
// be loaded eagerly during tests. Setting fileOptions.testModule
// to false indicates that a testModule was configured, but this
// was not it. ResourceSlot#_isLazy (in compiler-plugin.js) will
// use this information (together with fileOptions.mainModule) to
// make the final call as to whether this file should be loaded