-
-
Notifications
You must be signed in to change notification settings - Fork 670
/
Copy pathcompiler.js
464 lines (437 loc) · 14.7 KB
/
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
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
const startTime = Date.now();
const fs = require("fs");
const path = require("path");
const os = require("os");
const v8 = require("v8");
const glob = require("glob");
const colorsUtil = require("../cli/util/colors");
const optionsUtil = require("../cli/util/options");
const diff = require("./util/diff");
const asc = require("../cli/asc.js");
const rtrace = require("../lib/rtrace");
const cluster = require("cluster");
const coreCount = require("physical-cpu-count");
const config = {
"create": {
"description": [
"Recreates the fixture for the specified test(s)",
"or all the fixtures if no specific test is given."
],
"type": "b"
},
"createBinary": {
"description": [
"Also creates the respective .wasm binaries."
],
"type": "b"
},
"noDiff": {
"description": [
"Disables output of detailed fixture differences."
],
"type": "b"
},
"rtraceVerbose": {
"description": [
"Enables verbose rtrace output."
]
},
"parallel": {
"description": [
"Runs tests in parallel."
]
},
"help": {
"description": "Prints this message and exits.",
"type": "b",
"alias": "h"
}
};
const opts = optionsUtil.parse(process.argv.slice(2), config);
const args = opts.options;
const argv = opts.arguments;
if (args.help) {
console.log([
colorsUtil.white("SYNTAX"),
" " + colorsUtil.cyan("npm run test:compiler --") + " [test1, test2 ...] [options]",
"",
colorsUtil.white("OPTIONS"),
optionsUtil.help(config)
].join(os.EOL) + os.EOL);
process.exit(0);
}
const features = process.env.ASC_FEATURES ? process.env.ASC_FEATURES.split(",") : [];
const featuresConfig = require("./features.json");
var failedTests = new Set();
var failedMessages = new Map();
var skippedTests = new Set();
var skippedMessages = new Map();
const basedir = path.join(__dirname, "compiler");
// Gets a list of all relevant tests
function getTests() {
var tests = glob.sync("**/!(_*).ts", { cwd: basedir }).map(name => name.replace(/\.ts$/, ""));
if (argv.length) { // run matching tests only
tests = tests.filter(filename => argv.indexOf(filename.replace(/\.ts$/, "")) >= 0);
if (!tests.length) {
console.error("No matching tests: " + argv.join(" "));
process.exit(1);
}
}
return tests;
}
// Runs a single test
function runTest(basename) {
console.log(colorsUtil.white("Testing compiler/" + basename) + "\n");
const configPath = path.join(basedir, basename + ".json");
const config = fs.existsSync(configPath)
? require(configPath)
: {};
const stdout = asc.createMemoryStream();
const stderr = asc.createMemoryStream(chunk => process.stderr.write(chunk.toString().replace(/^(?!$)/mg, " ")));
stderr.isTTY = true;
var asc_flags = [];
var v8_flags = "";
var v8_no_flags = "";
var missing_features = [];
if (config.features) {
config.features.forEach(feature => {
if (!features.includes(feature) && !features.includes("*")) {
missing_features.push(feature);
return;
}
var featureConfig = featuresConfig[feature];
if (featureConfig.asc_flags) {
featureConfig.asc_flags.forEach(flag => {
Array.prototype.push.apply(asc_flags, flag.split(" "));
});
}
if (featureConfig.v8_flags) {
featureConfig.v8_flags.forEach(flag => {
if (v8_flags) v8_flags += " ";
v8_flags += flag;
if (v8_no_flags) v8_no_flags += " ";
v8_no_flags += "--no-" + flag.substring(2);
});
v8.setFlagsFromString(v8_flags);
}
});
if (missing_features.length) {
console.log("- " + colorsUtil.yellow("feature SKIPPED") + " (" + missing_features.join(", ") + ")\n");
skippedTests.add(basename);
skippedMessages.set(basename, "feature not enabled");
if (cluster.isWorker) process.send({ cmd: "skipped", message: skippedMessages.get(basename) });
return;
}
}
if (config.asc_flags) {
config.asc_flags.forEach(flag => {
Array.prototype.push.apply(asc_flags, flag.split(" "));
});
}
var failed = false;
// Build unoptimized
var cmd = [
basename + ".ts",
"--baseDir", basedir,
"--measure",
"--debug",
"--pedantic",
"--textFile" // -> stdout
];
if (asc_flags)
Array.prototype.push.apply(cmd, asc_flags);
cmd.push("--binaryFile", basename + ".untouched.wasm");
asc.main(cmd, {
stdout: stdout,
stderr: stderr
}, err => {
console.log();
// check expected stderr patterns in order
let expectStderr = config.stderr;
if (expectStderr) {
const stderrString = stderr.toString();
if (typeof expectStderr === "string") expectStderr = [ expectStderr ];
let lastIndex = 0;
expectStderr.forEach((substr, i) => {
var index = stderrString.indexOf(substr, lastIndex);
if (index < 0) {
console.log("Missing pattern #" + (i + 1) + " '" + substr + "' in stderr at " + lastIndex + "+.");
failed = true;
} else {
lastIndex = index + substr.length;
}
});
if (failed) {
failedTests.add(basename);
failedMessages.set(basename, "stderr mismatch");
console.log("\n- " + colorsUtil.red("stderr MISMATCH") + "\n");
} else {
console.log("- " + colorsUtil.green("stderr MATCH") + "\n");
}
return 1;
}
if (err)
stderr.write(err + os.EOL);
var actual = stdout.toString().replace(/\r\n/g, "\n");
if (args.create) {
fs.writeFileSync(path.join(basedir, basename + ".untouched.wat"), actual, { encoding: "utf8" });
console.log("- " + colorsUtil.yellow("Created fixture"));
} else {
let expected = fs.readFileSync(path.join(basedir, basename + ".untouched.wat"), { encoding: "utf8" }).replace(/\r\n/g, "\n");
if (args.noDiff) {
if (expected != actual) {
console.log("- " + colorsUtil.red("compare ERROR"));
failed = true;
failedTests.add(basename);
} else {
console.log("- " + colorsUtil.green("compare OK"));
}
} else {
let diffs = diff(basename + ".untouched.wat", expected, actual);
if (diffs !== null) {
console.log(diffs);
console.log("- " + colorsUtil.red("diff ERROR"));
failed = true;
failedTests.add(basename);
} else {
console.log("- " + colorsUtil.green("diff OK"));
}
}
}
console.log();
stdout.length = 0;
stderr.length = 0;
// Build optimized
var cmd = [
basename + ".ts",
"--baseDir", basedir,
"--measure",
"--pedantic",
"--binaryFile", // -> stdout
"-O"
];
if (asc_flags)
Array.prototype.push.apply(cmd, asc_flags);
if (args.create)
cmd.push("--textFile", basename + ".optimized.wat");
asc.main(cmd, {
stdout: stdout,
stderr: stderr
}, err => {
console.log();
if (err) {
stderr.write(err.stack + os.EOL);
failed = true;
failedMessages.set(basename, err.message);
failedTests.add(basename);
return 1;
}
let untouchedBuffer = fs.readFileSync(path.join(basedir, basename + ".untouched.wasm"));
let optimizedBuffer = stdout.toBuffer();
const gluePath = path.join(basedir, basename + ".js");
var glue = {};
if (fs.existsSync(gluePath)) glue = require(gluePath);
if (!config.skipInstantiate) {
if (!testInstantiate(basename, untouchedBuffer, "untouched", glue)) {
failed = true;
failedTests.add(basename);
} else {
console.log();
if (!testInstantiate(basename, optimizedBuffer, "optimized", glue)) {
failed = true;
failedTests.add(basename);
}
}
console.log();
} else {
console.log("- " + colorsUtil.yellow("instantiate SKIPPED") + "\n");
}
});
if (failed) return 1;
});
if (v8_no_flags) v8.setFlagsFromString(v8_no_flags);
if (!args.createBinary) fs.unlink(path.join(basedir, basename + ".untouched.wasm"), err => {});
if (cluster.isWorker) process.send({ cmd: "done", failed: failed, message: failedMessages.get(basename) });
}
// Tests if instantiation of a module succeeds
function testInstantiate(basename, binaryBuffer, name, glue) {
var failed = false;
try {
let memory = new WebAssembly.Memory({ initial: 10 });
let exports = {};
function getString(ptr) {
const RUNTIME_HEADER_SIZE = 16;
if (!ptr) return "null";
var U32 = new Uint32Array(exports.memory ? exports.memory.buffer : memory.buffer);
var U16 = new Uint16Array(exports.memory ? exports.memory.buffer : memory.buffer);
var len16 = U32[(ptr - RUNTIME_HEADER_SIZE + 12) >>> 2] >>> 1;
var ptr16 = ptr >>> 1;
return String.fromCharCode.apply(String, U16.subarray(ptr16, ptr16 + len16));
}
function onerror(e) {
console.log(" ERROR: " + e);
failed = true;
failedMessages.set(basename, e.message);
}
function oninfo(i) {
console.log(" " + i);
}
let rtr = rtrace(onerror, args.rtraceVerbose ? oninfo : null);
let runTime = asc.measure(() => {
var imports = {
rtrace: rtr,
env: {
memory,
abort: function(msg, file, line, column) {
console.log(colorsUtil.red(" abort: " + getString(msg) + " in " + getString(file) + "(" + line + ":" + column + ")"));
},
trace: function(msg, n) {
console.log(" trace: " + getString(msg) + (n ? " " : "") + Array.prototype.slice.call(arguments, 2, 2 + n).join(", "));
},
seed: function() {
return 0xA5534817; // make tests deterministic
}
},
Math,
Date,
Reflect
};
if (glue.preInstantiate) {
console.log(colorsUtil.white(" [preInstantiate]"));
glue.preInstantiate(imports, exports);
}
var instance = new WebAssembly.Instance(new WebAssembly.Module(binaryBuffer), imports);
Object.setPrototypeOf(exports, instance.exports);
if (glue.postInstantiate) {
console.log(colorsUtil.white(" [postInstantiate]"));
glue.postInstantiate(instance);
}
if (exports._start) {
console.log(colorsUtil.white(" [start]"));
exports._start();
}
if (glue.postStart) {
console.log(colorsUtil.white(" [postStart]"));
glue.postStart(instance);
}
});
let leakCount = rtr.check();
if (leakCount) {
let msg = "memory leak detected: " + leakCount + " leaking";
console.log("- " + colorsUtil.red("rtrace " + name + " ERROR: ") + msg);
failed = true;
failedMessages.set(basename, msg);
}
if (!failed) {
console.log("- " + colorsUtil.green("instantiate " + name + " OK") + " (" + asc.formatTime(runTime) + ")");
if (rtr.active) {
console.log(" " +
rtr.allocCount + " allocs, " +
rtr.freeCount + " frees, " +
rtr.incrementCount + " increments, " +
rtr.decrementCount + " decrements"
);
}
console.log("");
for (let key in exports) {
console.log(" [" + (typeof exports[key]).substring(0, 3) + "] " + key + " = " + exports[key]);
}
return true;
}
} catch (e) {
console.log("- " + colorsUtil.red("instantiate " + name + " ERROR: ") + e.stack);
failed = true;
failedMessages.set(basename, e.message);
}
return false;
}
// Evaluates the overall test result
function evaluateResult() {
if (skippedTests.size) {
console.log(colorsUtil.yellow("WARNING: ") + colorsUtil.white(skippedTests.size + " compiler tests have been skipped:\n"));
skippedTests.forEach(name => {
var message = skippedMessages.has(name) ? colorsUtil.gray("[" + skippedMessages.get(name) + "]") : "";
console.log(" " + name + " " + message);
});
console.log();
}
if (failedTests.size) {
process.exitCode = 1;
console.log(colorsUtil.red("ERROR: ") + colorsUtil.white(failedTests.size + " compiler tests had failures:\n"));
failedTests.forEach(name => {
var message = failedMessages.has(name) ? colorsUtil.gray("[" + failedMessages.get(name) + "]") : "";
console.log(" " + name + " " + message);
});
console.log();
}
console.log("Time: " + (Date.now() - startTime) + " ms\n");
if (!process.exitCode) {
console.log("[ " + colorsUtil.white("OK") + " ]");
}
}
asc.ready.then(() => {
// Run tests in parallel if requested
if (args.parallel && coreCount > 1) {
if (cluster.isWorker) {
colorsUtil.supported = true;
process.on("message", msg => {
if (msg.cmd != "run") throw Error("invalid command: " + msg.cmd);
try {
runTest(msg.test);
} catch (e) {
process.send({ cmd: "done", failed: true, message: e.message });
}
});
process.send({ cmd: "ready" });
} else {
const tests = getTests();
// const sizes = new Map();
// tests.forEach(name => sizes.set(name, fs.statSync(path.join(basedir, name + ".ts")).size));
// tests.sort((a, b) => sizes.get(b) - sizes.get(a));
const workers = [];
const current = [];
const outputs = [];
let numWorkers = Math.min(coreCount - 1, tests.length);
console.log("Spawning " + numWorkers + " workers ...");
cluster.settings.silent = true;
let index = 0;
for (let i = 0; i < numWorkers; ++i) {
let worker = cluster.fork();
workers[i] = worker;
current[i] = null;
outputs[i] = [];
worker.process.stdout.on("data", buf => outputs[i].push(buf));
worker.process.stderr.on("data", buf => outputs[i].push(buf));
worker.on("message", msg => {
if (msg.cmd == "done") {
process.stdout.write(Buffer.concat(outputs[i]).toString());
if (msg.failed) failedTests.add(current[i]);
if (msg.message) failedMessages.set(current[i], msg.message);
} else if (msg.cmd == "skipped") {
process.stdout.write(Buffer.concat(outputs[i]).toString());
skippedTests.add(current[i]);
if (msg.message) skippedMessages.set(current[i], msg.message);
} else if (msg.cmd != "ready") {
throw Error("invalid command: " + msg.cmd);
}
if (index >= tests.length) {
workers[i] = null;
worker.kill();
return;
}
current[i] = tests[index++];
outputs[i] = [];
worker.send({ cmd: "run", test: current[i] });
});
worker.on("disconnect", () => {
if (workers[i]) throw Error("worker#" + i + " died unexpectedly");
if (!--numWorkers) evaluateResult();
});
}
}
// Otherwise run tests sequentially
} else {
getTests().forEach(runTest);
evaluateResult();
}
});