mirror of
https://github.com/denoland/deno.git
synced 2025-03-11 06:37:12 -04:00

Rewrites "cli/js/unit_test_runner.ts" to communicate with spawned subprocesses using TCP socket. * Rewrite "Deno.runTests()" by factoring out testing logic to private "TestApi" class. "TestApi" implements "AsyncIterator" that yields "TestEvent"s, which is an interface for different types of event occuring during running tests. * Add "reporter" argument to "Deno.runTests()" to allow users to provide custom reporting mechanism for tests. It's represented by "TestReporter" interface, that implements hook functions for each type of "TestEvent". If "reporter" is not provided then default console reporting is used (via "ConsoleReporter"). * Change how "unit_test_runner" communicates with spawned suprocesses. Instead of parsing text data from child's stdout, a TCP socket is created and used for communication. "unit_test_runner" can run in either "master" or "worker" mode. Former is responsible for test discovery and establishing needed permission combinations; while latter (that is spawned by "master") executes tests that match given permission set. * Use "SocketReporter" that implements "TestReporter" interface to send output of tests to "master" process. Data is sent as stringified JSON and then parsed by "master" as structured data. "master" applies it's own reporting logic to output tests to console (by reusing default "ConsoleReporter").
239 lines
5.6 KiB
TypeScript
Executable file
239 lines
5.6 KiB
TypeScript
Executable file
#!/usr/bin/env -S deno run --reload --allow-run
|
|
// Copyright 2018-2020 the Deno authors. All rights reserved. MIT license.
|
|
import "./unit_tests.ts";
|
|
import {
|
|
assert,
|
|
readLines,
|
|
permissionCombinations,
|
|
Permissions,
|
|
registerUnitTests,
|
|
SocketReporter,
|
|
fmtPerms
|
|
} from "./test_util.ts";
|
|
|
|
interface PermissionSetTestResult {
|
|
perms: Permissions;
|
|
passed: boolean;
|
|
stats: Deno.TestStats;
|
|
permsStr: string;
|
|
duration: number;
|
|
}
|
|
|
|
const PERMISSIONS: Deno.PermissionName[] = [
|
|
"read",
|
|
"write",
|
|
"net",
|
|
"env",
|
|
"run",
|
|
"plugin",
|
|
"hrtime"
|
|
];
|
|
|
|
/**
|
|
* Take a list of permissions and revoke missing permissions.
|
|
*/
|
|
async function dropWorkerPermissions(
|
|
requiredPermissions: Deno.PermissionName[]
|
|
): Promise<void> {
|
|
const permsToDrop = PERMISSIONS.filter((p): boolean => {
|
|
return !requiredPermissions.includes(p);
|
|
});
|
|
|
|
for (const perm of permsToDrop) {
|
|
await Deno.permissions.revoke({ name: perm });
|
|
}
|
|
}
|
|
|
|
async function workerRunnerMain(args: string[]): Promise<void> {
|
|
const addrArg = args.find(e => e.includes("--addr"));
|
|
assert(typeof addrArg === "string", "Missing --addr argument");
|
|
const addrStr = addrArg.split("=")[1];
|
|
const [hostname, port] = addrStr.split(":");
|
|
const addr = { hostname, port: Number(port) };
|
|
|
|
let perms: Deno.PermissionName[] = [];
|
|
const permsArg = args.find(e => e.includes("--perms"));
|
|
assert(typeof permsArg === "string", "Missing --perms argument");
|
|
const permsStr = permsArg.split("=")[1];
|
|
if (permsStr.length > 0) {
|
|
perms = permsStr.split(",") as Deno.PermissionName[];
|
|
}
|
|
// Setup reporter
|
|
const conn = await Deno.connect(addr);
|
|
const socketReporter = new SocketReporter(conn);
|
|
// Drop current process permissions to requested set
|
|
await dropWorkerPermissions(perms);
|
|
// Register unit tests that match process permissions
|
|
await registerUnitTests();
|
|
// Execute tests
|
|
await Deno.runTests({
|
|
failFast: false,
|
|
exitOnFail: false,
|
|
reporter: socketReporter
|
|
});
|
|
// Notify parent process we're done
|
|
socketReporter.close();
|
|
}
|
|
|
|
function spawnWorkerRunner(addr: string, perms: Permissions): Deno.Process {
|
|
// run subsequent tests using same deno executable
|
|
const permStr = Object.keys(perms)
|
|
.filter((permName): boolean => {
|
|
return perms[permName as Deno.PermissionName] === true;
|
|
})
|
|
.join(",");
|
|
|
|
const args = [
|
|
Deno.execPath(),
|
|
"run",
|
|
"-A",
|
|
"cli/js/tests/unit_test_runner.ts",
|
|
"--",
|
|
"--worker",
|
|
`--addr=${addr}`,
|
|
`--perms=${permStr}`
|
|
];
|
|
|
|
const p = Deno.run({
|
|
args,
|
|
stdin: "null",
|
|
stdout: "piped",
|
|
stderr: "null"
|
|
});
|
|
|
|
return p;
|
|
}
|
|
|
|
async function runTestsForPermissionSet(
|
|
reporter: Deno.ConsoleTestReporter,
|
|
perms: Permissions
|
|
): Promise<PermissionSetTestResult> {
|
|
const permsFmt = fmtPerms(perms);
|
|
console.log(`Running tests for: ${permsFmt}`);
|
|
const addr = { hostname: "127.0.0.1", port: 4510 };
|
|
const addrStr = `${addr.hostname}:${addr.port}`;
|
|
const workerListener = Deno.listen(addr);
|
|
|
|
const workerProcess = spawnWorkerRunner(addrStr, perms);
|
|
|
|
// Wait for worker subprocess to go online
|
|
const conn = await workerListener.accept();
|
|
|
|
let err;
|
|
let hasThrown = false;
|
|
let expectedPassedTests;
|
|
let endEvent;
|
|
|
|
try {
|
|
for await (const line of readLines(conn)) {
|
|
const msg = JSON.parse(line);
|
|
|
|
if (msg.kind === Deno.TestEvent.Start) {
|
|
expectedPassedTests = msg.tests;
|
|
await reporter.start(msg);
|
|
continue;
|
|
}
|
|
|
|
if (msg.kind === Deno.TestEvent.Result) {
|
|
await reporter.result(msg);
|
|
continue;
|
|
}
|
|
|
|
endEvent = msg;
|
|
await reporter.end(msg);
|
|
break;
|
|
}
|
|
} catch (e) {
|
|
hasThrown = true;
|
|
err = e;
|
|
} finally {
|
|
workerListener.close();
|
|
}
|
|
|
|
if (hasThrown) {
|
|
throw err;
|
|
}
|
|
|
|
if (typeof expectedPassedTests === "undefined") {
|
|
throw new Error("Worker runner didn't report start");
|
|
}
|
|
|
|
if (typeof endEvent === "undefined") {
|
|
throw new Error("Worker runner didn't report end");
|
|
}
|
|
|
|
const workerStatus = await workerProcess.status();
|
|
if (!workerStatus.success) {
|
|
throw new Error(
|
|
`Worker runner exited with status code: ${workerStatus.code}`
|
|
);
|
|
}
|
|
|
|
workerProcess.close();
|
|
|
|
const passed = expectedPassedTests === endEvent.stats.passed;
|
|
|
|
return {
|
|
perms,
|
|
passed,
|
|
permsStr: permsFmt,
|
|
duration: endEvent.duration,
|
|
stats: endEvent.stats
|
|
};
|
|
}
|
|
|
|
async function masterRunnerMain(): Promise<void> {
|
|
console.log(
|
|
"Discovered permission combinations for tests:",
|
|
permissionCombinations.size
|
|
);
|
|
|
|
for (const perms of permissionCombinations.values()) {
|
|
console.log("\t" + fmtPerms(perms));
|
|
}
|
|
|
|
const testResults = new Set<PermissionSetTestResult>();
|
|
const consoleReporter = new Deno.ConsoleTestReporter();
|
|
|
|
for (const perms of permissionCombinations.values()) {
|
|
const result = await runTestsForPermissionSet(consoleReporter, perms);
|
|
testResults.add(result);
|
|
}
|
|
|
|
// if any run tests returned non-zero status then whole test
|
|
// run should fail
|
|
let testsPassed = true;
|
|
|
|
for (const testResult of testResults) {
|
|
const { permsStr, stats, duration } = testResult;
|
|
console.log(`Summary for ${permsStr}`);
|
|
await consoleReporter.end({
|
|
kind: Deno.TestEvent.End,
|
|
stats,
|
|
duration,
|
|
results: []
|
|
});
|
|
testsPassed = testsPassed && testResult.passed;
|
|
}
|
|
|
|
if (!testsPassed) {
|
|
console.error("Unit tests failed");
|
|
Deno.exit(1);
|
|
}
|
|
|
|
console.log("Unit tests passed");
|
|
}
|
|
|
|
async function main(): Promise<void> {
|
|
const args = Deno.args;
|
|
|
|
const isWorker = args.includes("--worker");
|
|
|
|
if (isWorker) {
|
|
return await workerRunnerMain(args);
|
|
}
|
|
|
|
return await masterRunnerMain();
|
|
}
|
|
|
|
main();
|