forked from Adornis/typescript-compiler
-
Notifications
You must be signed in to change notification settings - Fork 0
/
typescript-compiler.js
378 lines (315 loc) · 11 KB
/
typescript-compiler.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
const { TSBuild, validateTsConfig, getExcludeRegExp } = require('./meteor-typescript');
import {
getExtendedPath,
isDeclaration,
isMainConfig,
isServerConfig,
isBare,
getES6ModuleName,
WarnMixin,
extendFiles,
isWeb,
} from './file-utils';
import { getShallowHash } from './utils';
// Default exclude paths.
const defExclude = new RegExp(getExcludeRegExp(['node_modules/**']));
// What to exclude when compiling for the server.
// typings/main and typings/browser seem to be not used
// at all but let keep them for just in case.
const exlWebRegExp = new RegExp(getExcludeRegExp(['typings/main/**', 'typings/main.d.ts']));
// What to exclude when compiling for the client.
const exlMainRegExp = new RegExp(getExcludeRegExp(['typings/browser/**', 'typings/browser.d.ts']));
const COMPILER_REGEXP = /(\.d.ts|\.ts|\.tsx|\.tsconfig)$/;
const TS_REGEXP = /(\.ts|\.tsx)$/;
TypeScriptCompiler = class TypeScriptCompiler {
constructor(extraOptions, maxParallelism) {
TypeScript.validateExtraOptions(extraOptions);
this.extraOptions = extraOptions;
this.maxParallelism = maxParallelism || 15;
this.serverOptions = null;
this.tsconfig = TypeScript.getDefaultOptions();
this.cfgHash = null;
this.diagHash = new Set();
this.archSet = new Set();
}
getFilesToProcess(inputFiles) {
const pexclude = Logger.newProfiler('exclude');
inputFiles = this._filterByDefault(inputFiles);
this._processConfig(inputFiles);
inputFiles = this._filterByConfig(inputFiles);
if (inputFiles.length) {
const arch = inputFiles[0].getArch();
inputFiles = this._filterByArch(inputFiles, arch);
}
pexclude.end();
return inputFiles;
}
getBuildOptions(inputFiles) {
this._processConfig(inputFiles);
const inputFile = inputFiles[0];
let { compilerOptions } = this.tsconfig;
// Make a copy.
compilerOptions = Object.assign({}, compilerOptions);
if (!isWeb(inputFile) && this.serverOptions) {
Object.assign(compilerOptions, this.serverOptions);
}
// Apply extra options.
if (this.extraOptions) {
Object.assign(compilerOptions, this.extraOptions);
}
const arch = inputFile.getArch();
const { typings, useCache } = this.tsconfig;
return { arch, compilerOptions, typings, useCache };
}
processFilesForTarget(inputFiles, getDepsContent) {
const compileStartTime = new Date();
extendFiles(inputFiles, WarnMixin);
const options = this.getBuildOptions(inputFiles);
Logger.log('compiler options: %j', options.compilerOptions);
inputFiles = this.getFilesToProcess(inputFiles);
if (!inputFiles.length) return;
const pcompile = Logger.newProfiler('compilation');
const filePaths = inputFiles.map(file => getExtendedPath(file));
Logger.log('compile files: %s', filePaths);
const pbuild = Logger.newProfiler('tsBuild');
const defaultGet = this._getContentGetter(inputFiles);
const getContent = filePath => (getDepsContent && getDepsContent(filePath)) || defaultGet(filePath);
const tsBuild = new TSBuild(filePaths, getContent, options);
Logger.info(`[COMPILER]: Starting build for ${options.arch} with TS version ${tsBuild.getTSVersion()}`);
pbuild.end();
const pfiles = Logger.newProfiler('tsEmitFiles');
// Don't emit typings.
const compileFiles = inputFiles.filter(file => !isDeclaration(file));
let throwSyntax = false;
const results = new Map();
let arch = '';
let totalWarnings = 0;
let filesWithWarning = 0;
compileFiles.forEach(file => {
const co = options.compilerOptions;
const filePath = getExtendedPath(file);
const pemit = Logger.newProfiler('tsEmit');
const result = tsBuild.emit(filePath);
results.set(file, result);
pemit.end();
const diagnostics = this._processDiagnostics(file, result.diagnostics, co);
throwSyntax = throwSyntax | diagnostics.throwSyntax;
arch = diagnostics.arch;
if (diagnostics.warningCount > 0) {
totalWarnings += diagnostics.warningCount;
filesWithWarning++;
}
});
pfiles.end();
if (!throwSyntax) {
results.forEach((result, file) => {
const module = options.compilerOptions.module;
if (file.supportsLazyCompilation) {
const inputPath = file.getPathInPackage();
const path = TypeScript.removeTsExt(inputPath) + '.js';
const hash = result.hash;
file.addJavaScript(
{
path: path,
hash: hash,
bare: isBare(file),
},
() => {
return this._processFile(file, result, module === 'none');
},
);
} else {
const toBeAdded = this._processFile(file, result, module === 'none');
if (toBeAdded) {
file.addJavaScript(toBeAdded);
}
}
});
} else {
Logger.warn(' cant compile because of syntax errors');
}
const compileDoneTime = new Date();
Logger.info(` Finished build for ${arch} in ${compileDoneTime - compileStartTime}ms.`);
if (filesWithWarning > 0) {
Logger.warn(` Found ${totalWarnings} warnings in ${filesWithWarning} files.`);
}
pcompile.end();
}
_getContentGetter(inputFiles) {
const filesMap = new Map();
inputFiles.forEach((inputFile, index) => {
filesMap.set(getExtendedPath(inputFile), index);
});
return filePath => {
let index = filesMap.get(filePath);
if (index === undefined) {
const filePathNoRootSlash = filePath.replace(/^\//, '');
index = filesMap.get(filePathNoRootSlash);
}
return index !== undefined ? inputFiles[index].getContentsAsString() : null;
};
}
_processFile(inputFile, tsResult, forceBare) {
const inputPath = inputFile.getPathInPackage();
const outputPath = TypeScript.removeTsExt(inputPath) + '.js';
const toBeAdded = {
sourcePath: inputPath,
path: outputPath,
data: tsResult.code,
hash: tsResult.hash,
sourceMap: tsResult.sourceMap,
bare: forceBare || isBare(inputFile),
};
return toBeAdded;
}
_processDiagnostics(inputFile, diagnostics, tsOptions) {
// simple logging
diagnostics.syntacticErrors.forEach(err =>
Logger.error(err.fileName.slice(-100) + ' (' + err.line + '): ', err.message),
);
diagnostics.semanticErrors.forEach(err =>
Logger.warn(err.fileName.slice(-100) + ':' + err.line + ': ', err.message),
);
// Remove duplicated warnings for shared files
// by saving hashes of already shown warnings.
const arch = inputFile.getArch();
const reduce = (diagnostic, cb) => {
let dob = {
message: diagnostic.message,
sourcePath: getExtendedPath(inputFile),
line: diagnostic.line,
column: diagnostic.column,
};
const arch = inputFile.getArch();
// TODO: find out how to get list of architectures.
this.archSet.add(arch);
let shown = false;
for (const key of this.archSet.keys()) {
if (key !== arch) {
dob.arch = key;
const hash = getShallowHash(dob);
if (this.diagHash.has(hash)) {
shown = true;
break;
}
}
}
if (!shown) {
dob.arch = arch;
const hash = getShallowHash(dob);
this.diagHash.add(hash);
cb(dob);
}
};
// Always throw syntax errors.
const throwSyntax = !!diagnostics.syntacticErrors.length;
diagnostics.syntacticErrors.forEach(diagnostic => {
reduce(diagnostic, dob => {
inputFile.error(dob);
});
});
const packageName = inputFile.getPackageName();
if (packageName) return throwSyntax;
// And log out other errors except package files.
let warningCount = 0;
if (tsOptions && tsOptions.diagnostics) {
diagnostics.semanticErrors.forEach(diagnostic => {
//TODO: Add env var condition
warningCount++;
//reduce(diagnostic, dob => inputFile.warn(dob));
});
}
return {
throwSyntax: throwSyntax,
warningCount: warningCount,
arch: inputFile.getArch(),
};
}
_getFileModuleName(inputFile, options) {
if (options.module === 'none') return null;
return getES6ModuleName(inputFile);
}
_processConfig(inputFiles) {
const tsFiles = inputFiles
.map(inputFile => inputFile.getPathInPackage())
.filter(filePath => TS_REGEXP.test(filePath));
for (const inputFile of inputFiles) {
// Parse root config.
if (isMainConfig(inputFile)) {
const source = inputFile.getContentsAsString();
const hash = inputFile.getSourceHash();
// If hashes differ, create new tsconfig.
if (hash !== this.cfgHash) {
this.tsconfig = this._parseConfig(source, tsFiles);
this.cfgHash = hash;
}
return;
}
// Parse server config.
// Take only target and lib values.
if (isServerConfig(inputFile)) {
const source = inputFile.getContentsAsString();
const { compilerOptions } = this._parseConfig(source, tsFiles);
if (compilerOptions) {
const { target, lib } = compilerOptions;
this.serverOptions = { target, lib };
}
return;
}
}
}
_parseConfig(cfgContent, tsFiles) {
let tsconfig = null;
try {
tsconfig = JSON.parse(cfgContent);
// Define files since if it's not defined
// validation throws an exception.
const files = tsconfig.files || tsFiles;
tsconfig.files = files;
validateTsConfig(tsconfig);
} catch (err) {
throw new Error(`Format of the tsconfig is invalid: ${err}`);
}
const exclude = tsconfig.exclude || [];
try {
const regExp = getExcludeRegExp(exclude);
tsconfig.exclude = regExp && new RegExp(regExp);
} catch (err) {
throw new Error(`Format of an exclude path is invalid: ${err}`);
}
return tsconfig;
}
_filterByDefault(inputFiles) {
inputFiles = inputFiles.filter(inputFile => {
const path = inputFile.getPathInPackage();
return COMPILER_REGEXP.test(path) && !defExclude.test('/' + path);
});
return inputFiles;
}
_filterByConfig(inputFiles) {
let resultFiles = inputFiles;
if (this.tsconfig.exclude) {
resultFiles = resultFiles.filter(inputFile => {
const path = inputFile.getPathInPackage();
// There seems to an issue with getRegularExpressionForWildcard:
// result regexp always starts with /.
return !this.tsconfig.exclude.test('/' + path);
});
}
return resultFiles;
}
_filterByArch(inputFiles, arch) {
check(arch, String);
/**
* Include only typings that current arch needs,
* typings/main is for the server only and
* typings/browser - for the client.
*/
const filterRegExp = /^web/.test(arch) ? exlWebRegExp : exlMainRegExp;
inputFiles = inputFiles.filter(inputFile => {
const path = inputFile.getPathInPackage();
return !filterRegExp.test('/' + path);
});
return inputFiles;
}
};