playwright/utils/testrunner/TestRunner.js

885 lines
27 KiB
JavaScript
Raw Normal View History

2019-11-19 05:18:28 +03:00
/**
* Copyright 2017 Google Inc. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
const util = require('util');
const url = require('url');
const inspector = require('inspector');
2019-11-19 05:18:28 +03:00
const EventEmitter = require('events');
const Multimap = require('./Multimap');
const fs = require('fs');
const {SourceMapSupport} = require('./SourceMapSupport');
const debug = require('debug');
const {getCallerLocation} = require('./utils');
const INFINITE_TIMEOUT = 100000000;
const readFileAsync = util.promisify(fs.readFile.bind(fs));
2019-11-19 05:18:28 +03:00
const TimeoutError = new Error('Timeout');
const TerminatedError = new Error('Terminated');
const MAJOR_NODEJS_VERSION = parseInt(process.version.substring(1).split('.')[0], 10);
function runUserCallback(callback, timeout, args) {
let terminateCallback;
let timeoutId;
const promise = Promise.race([
Promise.resolve().then(callback.bind(null, ...args)).then(() => null).catch(e => e),
new Promise(resolve => {
timeoutId = setTimeout(resolve.bind(null, TimeoutError), timeout);
}),
new Promise(resolve => terminateCallback = resolve),
]).catch(e => e).finally(() => clearTimeout(timeoutId));
const terminate = () => terminateCallback(TerminatedError);
return { promise, terminate };
2019-11-19 05:18:28 +03:00
}
const TestMode = {
Run: 'run',
Skip: 'skip',
2020-03-02 22:18:42 +03:00
Focus: 'focus',
};
const TestExpectation = {
Ok: 'ok',
Fail: 'fail',
2019-11-19 05:18:28 +03:00
};
const TestResult = {
Ok: 'ok',
2020-03-03 01:57:09 +03:00
MarkedAsFailing: 'markedAsFailing', // User marked as failed
Skipped: 'skipped', // User marked as skipped
2019-11-19 05:18:28 +03:00
Failed: 'failed', // Exception happened during running
TimedOut: 'timedout', // Timeout Exceeded while running
Terminated: 'terminated', // Execution terminated
Crashed: 'crashed', // If testrunner crashed due to this test
};
function isTestFailure(testResult) {
return testResult === TestResult.Failed || testResult === TestResult.TimedOut || testResult === TestResult.Crashed;
}
function createHook(callback, name) {
const location = getCallerLocation(__filename);
return { name, body: callback, location };
}
2019-11-19 05:18:28 +03:00
class Test {
constructor(suite, name, callback, location) {
this._suite = suite;
this._name = name;
this._fullName = (suite.fullName() + ' ' + name).trim();
this._mode = TestMode.Run;
this._expectation = TestExpectation.Ok;
this._body = callback;
this._location = location;
this._timeout = INFINITE_TIMEOUT;
this._repeat = 1;
this._hooks = [];
// Test results. TODO: make these private.
2019-11-19 05:18:28 +03:00
this.result = null;
this.error = null;
this.startTimestamp = 0;
this.endTimestamp = 0;
this.Modes = { ...TestMode };
this.Expectations = { ...TestExpectation };
}
_clone() {
// TODO: introduce TestRun instead?
const test = new Test(this._suite, this._name, this._body, this._location);
test._timeout = this._timeout;
test._mode = this._mode;
test._expectation = this._expectation;
test._hooks = this._hooks.slice();
return test;
}
suite() {
return this._suite;
}
name() {
return this._name;
}
fullName() {
return this._fullName;
}
location() {
return this._location;
}
body() {
return this._body;
}
mode() {
return this._mode;
}
setMode(mode) {
if (this._mode !== TestMode.Focus)
this._mode = mode;
}
timeout() {
return this._timeout;
}
setTimeout(timeout) {
this._timeout = timeout;
}
expectation() {
return this._expectation;
}
setExpectation(expectation) {
this._expectation = expectation;
}
repeat() {
return this._repeat;
}
setRepeat(repeat) {
this._repeat = repeat;
}
before(callback) {
this._hooks.push(createHook(callback, 'before'));
}
after(callback) {
this._hooks.push(createHook(callback, 'after'));
}
hooks(name) {
return this._hooks.filter(hook => !name || hook.name === name);
}
2019-11-19 05:18:28 +03:00
}
class Suite {
constructor(parentSuite, name, location) {
this._parentSuite = parentSuite;
this._name = name;
this._fullName = (parentSuite ? parentSuite.fullName() + ' ' + name : name).trim();
this._mode = TestMode.Run;
this._expectation = TestExpectation.Ok;
this._location = location;
this._repeat = 1;
this._hooks = [];
this.Modes = { ...TestMode };
this.Expectations = { ...TestExpectation };
}
_clone() {
// TODO: introduce TestRun instead?
const suite = new Suite(this._parentSuite, this._name, this._location);
suite._mode = this._mode;
suite._expectation = this._expectation;
return suite;
}
parentSuite() {
return this._parentSuite;
}
name() {
return this._name;
}
fullName() {
return this._fullName;
}
mode() {
return this._mode;
}
setMode(mode) {
if (this._mode !== TestMode.Focus)
this._mode = mode;
}
location() {
return this._location;
}
expectation() {
return this._expectation;
}
setExpectation(expectation) {
this._expectation = expectation;
}
repeat() {
return this._repeat;
}
setRepeat(repeat) {
this._repeat = repeat;
2019-11-19 05:18:28 +03:00
}
beforeEach(callback) {
this._hooks.push(createHook(callback, 'beforeEach'));
}
afterEach(callback) {
this._hooks.push(createHook(callback, 'afterEach'));
}
beforeAll(callback) {
this._hooks.push(createHook(callback, 'beforeAll'));
}
afterAll(callback) {
this._hooks.push(createHook(callback, 'afterAll'));
}
hooks(name) {
return this._hooks.filter(hook => !name || hook.name === name);
}
2019-11-19 05:18:28 +03:00
}
class Result {
constructor() {
this.result = TestResult.Ok;
this.exitCode = 0;
this.message = '';
this.errors = [];
}
setResult(result, message) {
if (!this.ok())
return;
this.result = result;
this.message = message || '';
if (result === TestResult.Ok)
this.exitCode = 0;
else if (result === TestResult.Terminated)
this.exitCode = 130;
else if (result === TestResult.Crashed)
this.exitCode = 2;
else
this.exitCode = 1;
}
addError(message, error, worker) {
const data = { message, error, tests: [] };
if (worker) {
data.workerId = worker._workerId;
data.tests = worker._runTests.slice();
}
this.errors.push(data);
}
ok() {
return this.result === TestResult.Ok;
}
}
class TestWorker {
constructor(testPass, workerId, parallelIndex) {
this._testPass = testPass;
this._state = { parallelIndex };
this._suiteStack = [];
this._terminating = false;
this._workerId = workerId;
this._runningTestTerminate = null;
this._runningHookTerminate = null;
this._runTests = [];
}
2019-11-19 05:18:28 +03:00
terminate(terminateHooks) {
this._terminating = true;
if (this._runningTestTerminate)
this._runningTestTerminate();
if (terminateHooks && this._runningHookTerminate)
this._runningHookTerminate();
}
2019-11-19 05:18:28 +03:00
_markTerminated(test) {
if (!this._terminating)
return false;
test.result = TestResult.Terminated;
return true;
}
async runTest(test) {
this._runTests.push(test);
if (this._markTerminated(test))
return;
let skipped = test.mode() === TestMode.Skip;
for (let suite = test.suite(); suite; suite = suite.parentSuite())
skipped = skipped || (suite.mode() === TestMode.Skip);
if (skipped) {
await this._testPass._willStartTest(this, test);
test.result = TestResult.Skipped;
await this._testPass._didFinishTest(this, test);
return;
}
let expectedToFail = test.expectation() === TestExpectation.Fail;
for (let suite = test.suite(); suite; suite = suite.parentSuite())
expectedToFail = expectedToFail || (suite.expectation() === TestExpectation.Fail);
if (expectedToFail && test.mode() !== TestMode.Focus) {
await this._testPass._willStartTest(this, test);
test.result = TestResult.MarkedAsFailing;
await this._testPass._didFinishTest(this, test);
return;
2019-11-19 05:18:28 +03:00
}
const suiteStack = [];
for (let suite = test.suite(); suite; suite = suite.parentSuite())
suiteStack.push(suite);
suiteStack.reverse();
let common = 0;
while (common < suiteStack.length && this._suiteStack[common] === suiteStack[common])
common++;
while (this._suiteStack.length > common) {
if (this._markTerminated(test))
return;
const suite = this._suiteStack.pop();
for (const hook of suite.hooks('afterAll')) {
if (!await this._runHook(test, hook, suite.fullName()))
return;
}
}
while (this._suiteStack.length < suiteStack.length) {
if (this._markTerminated(test))
return;
const suite = suiteStack[this._suiteStack.length];
this._suiteStack.push(suite);
for (const hook of suite.hooks('beforeAll')) {
if (!await this._runHook(test, hook, suite.fullName()))
return;
}
}
if (this._markTerminated(test))
return;
// From this point till the end, we have to run all hooks
// no matter what happens.
await this._testPass._willStartTest(this, test);
for (const suite of this._suiteStack) {
for (const hook of suite.hooks('beforeEach'))
await this._runHook(test, hook, suite.fullName(), true);
}
for (const hook of test.hooks('before'))
await this._runHook(test, hook, test.fullName(), true);
if (!test.error && !this._markTerminated(test)) {
await this._testPass._willStartTestBody(this, test);
const { promise, terminate } = runUserCallback(test.body(), test.timeout(), [this._state, test]);
this._runningTestTerminate = terminate;
test.error = await promise;
this._runningTestTerminate = null;
if (test.error && test.error.stack)
await this._testPass._runner._sourceMapSupport.rewriteStackTraceWithSourceMaps(test.error);
if (!test.error)
test.result = TestResult.Ok;
else if (test.error === TimeoutError)
test.result = TestResult.TimedOut;
else if (test.error === TerminatedError)
test.result = TestResult.Terminated;
else
test.result = TestResult.Failed;
await this._testPass._didFinishTestBody(this, test);
}
for (const hook of test.hooks('after'))
await this._runHook(test, hook, test.fullName(), true);
for (const suite of this._suiteStack.slice().reverse()) {
for (const hook of suite.hooks('afterEach'))
await this._runHook(test, hook, suite.fullName(), true);
}
await this._testPass._didFinishTest(this, test);
}
async _runHook(test, hook, fullName, passTest = false) {
await this._testPass._willStartHook(this, hook, fullName);
const timeout = this._testPass._runner._timeout;
const { promise, terminate } = runUserCallback(hook.body, timeout, passTest ? [this._state, test] : [this._state]);
this._runningHookTerminate = terminate;
let error = await promise;
this._runningHookTerminate = null;
if (error) {
const locationString = `${hook.location.fileName}:${hook.location.lineNumber}:${hook.location.columnNumber}`;
if (test.result !== TestResult.Terminated) {
// Prefer terminated result over any hook failures.
test.result = error === TerminatedError ? TestResult.Terminated : TestResult.Crashed;
}
let message;
if (error === TimeoutError) {
message = `${locationString} - Timeout Exceeded ${timeout}ms while running "${hook.name}" in "${fullName}"`;
error = null;
} else if (error === TerminatedError) {
// Do not report termination details - it's just noise.
message = '';
error = null;
} else {
if (error.stack)
await this._testPass._runner._sourceMapSupport.rewriteStackTraceWithSourceMaps(error);
message = `${locationString} - FAILED while running "${hook.name}" in suite "${fullName}": `;
}
await this._testPass._didFailHook(this, hook, fullName, message, error);
test.error = error;
return false;
}
await this._testPass._didCompleteHook(this, hook, fullName);
return true;
}
async shutdown() {
while (this._suiteStack.length > 0) {
const suite = this._suiteStack.pop();
for (const hook of suite.hooks('afterAll'))
await this._runHook({}, hook, suite.fullName());
}
}
}
class TestPass {
constructor(runner, parallel, breakOnFailure) {
this._runner = runner;
this._workers = [];
this._nextWorkerId = 1;
this._parallel = parallel;
this._breakOnFailure = breakOnFailure;
this._errors = [];
this._result = new Result();
this._terminating = false;
2019-11-19 05:18:28 +03:00
}
async run(testList) {
2019-11-19 05:18:28 +03:00
const terminations = [
createTermination.call(this, 'SIGINT', TestResult.Terminated, 'SIGINT received'),
createTermination.call(this, 'SIGHUP', TestResult.Terminated, 'SIGHUP received'),
createTermination.call(this, 'SIGTERM', TestResult.Terminated, 'SIGTERM received'),
createTermination.call(this, 'unhandledRejection', TestResult.Crashed, 'UNHANDLED PROMISE REJECTION'),
createTermination.call(this, 'uncaughtException', TestResult.Crashed, 'UNHANDLED ERROR'),
2019-11-19 05:18:28 +03:00
];
for (const termination of terminations)
process.on(termination.event, termination.handler);
for (const test of testList) {
test.result = null;
test.error = null;
}
this._result = new Result();
const parallel = Math.min(this._parallel, testList.length);
2019-11-19 05:18:28 +03:00
const workerPromises = [];
for (let i = 0; i < parallel; ++i) {
const initialTestIndex = i * Math.floor(testList.length / parallel);
workerPromises.push(this._runWorker(initialTestIndex, testList, i));
}
2019-11-19 05:18:28 +03:00
await Promise.all(workerPromises);
for (const termination of terminations)
process.removeListener(termination.event, termination.handler);
if (this._runner.failedTests().length)
this._result.setResult(TestResult.Failed, '');
return this._result;
2019-11-19 05:18:28 +03:00
function createTermination(event, result, message) {
return {
event,
message,
handler: error => this._terminate(result, message, event === 'SIGTERM', event.startsWith('SIG') ? null : error)
2019-11-19 05:18:28 +03:00
};
}
}
async _runWorker(testIndex, testList, parallelIndex) {
let worker = new TestWorker(this, this._nextWorkerId++, parallelIndex);
this._workers[parallelIndex] = worker;
while (!worker._terminating) {
let skipped = 0;
while (skipped < testList.length && testList[testIndex].result !== null) {
testIndex = (testIndex + 1) % testList.length;
skipped++;
}
const test = testList[testIndex];
if (test.result !== null) {
// All tests have been run.
2019-11-19 05:18:28 +03:00
break;
}
// Mark as running so that other workers do not run it again.
test.result = 'running';
await worker.runTest(test);
if (isTestFailure(test.result)) {
// Something went wrong during test run, let's use a fresh worker.
await worker.shutdown();
if (this._breakOnFailure) {
const message = `Terminating because a test has failed and |testRunner.breakOnFailure| is enabled`;
await this._terminate(TestResult.Terminated, message, false /* force */, null /* error */);
return;
}
worker = new TestWorker(this, this._nextWorkerId++, parallelIndex);
this._workers[parallelIndex] = worker;
}
2019-11-19 05:18:28 +03:00
}
await worker.shutdown();
2019-11-19 05:18:28 +03:00
}
async _terminate(result, message, force, error) {
debug('testrunner')(`TERMINATED result = ${result}, message = ${message}`);
for (const worker of this._workers)
worker.terminate(force /* terminateHooks */);
this._result.setResult(result, message);
if (this._result.message === 'SIGINT received' && message === 'SIGTERM received')
this._result.message = message;
if (error) {
if (error.stack)
await this._runner._sourceMapSupport.rewriteStackTraceWithSourceMaps(error);
this._result.addError(message, error, this._workers.length === 1 ? this._workers[0] : null);
}
2019-11-19 05:18:28 +03:00
}
async _willStartTest(worker, test) {
test.startTimestamp = Date.now();
this._runner.emit(TestRunner.Events.TestStarted, test, worker._workerId);
}
async _didFinishTest(worker, test) {
test.endTimestamp = Date.now();
this._runner.emit(TestRunner.Events.TestFinished, test, worker._workerId);
}
async _willStartTestBody(worker, test) {
debug('testrunner:test')(`[${worker._workerId}] starting "${test.fullName()}" (${test.location().fileName + ':' + test.location().lineNumber})`);
}
async _didFinishTestBody(worker, test) {
debug('testrunner:test')(`[${worker._workerId}] ${test.result.toUpperCase()} "${test.fullName()}" (${test.location().fileName + ':' + test.location().lineNumber})`);
}
async _willStartHook(worker, hook, fullName) {
debug('testrunner:hook')(`[${worker._workerId}] "${hook.name}" started for "${fullName}" (${hook.location.fileName + ':' + hook.location.lineNumber})`);
}
async _didFailHook(worker, hook, fullName, message, error) {
debug('testrunner:hook')(`[${worker._workerId}] "${hook.name}" FAILED for "${fullName}" (${hook.location.fileName + ':' + hook.location.lineNumber})`);
if (message)
this._result.addError(message, error, worker);
this._result.setResult(TestResult.Crashed, message);
}
async _didCompleteHook(worker, hook, fullName) {
debug('testrunner:hook')(`[${worker._workerId}] "${hook.name}" OK for "${fullName}" (${hook.location.fileName + ':' + hook.location.lineNumber})`);
}
2019-11-19 05:18:28 +03:00
}
class TestRunner extends EventEmitter {
constructor(options = {}) {
super();
const {
timeout = 10 * 1000, // Default timeout is 10 seconds.
parallel = 1,
breakOnFailure = false,
crashIfTestsAreFocusedOnCI = true,
2019-11-19 05:18:28 +03:00
disableTimeoutWhenInspectorIsEnabled = true,
} = options;
this._crashIfTestsAreFocusedOnCI = crashIfTestsAreFocusedOnCI;
this._sourceMapSupport = new SourceMapSupport();
const dummyLocation = { fileName: '', filePath: '', lineNumber: 0, columnNumber: 0 };
this._rootSuite = new Suite(null, '', dummyLocation);
2019-11-19 05:18:28 +03:00
this._currentSuite = this._rootSuite;
this._tests = [];
this._suites = [];
this._timeout = timeout === 0 ? INFINITE_TIMEOUT : timeout;
2019-11-19 05:18:28 +03:00
this._parallel = parallel;
this._breakOnFailure = breakOnFailure;
this._suiteModifiers = new Map();
this._suiteAttributes = new Map();
this._testModifiers = new Map();
this._testAttributes = new Map();
2019-11-19 05:18:28 +03:00
if (MAJOR_NODEJS_VERSION >= 8 && disableTimeoutWhenInspectorIsEnabled) {
if (inspector.url()) {
console.log('TestRunner detected inspector; overriding certain properties to be debugger-friendly');
console.log(' - timeout = 0 (Infinite)');
this._timeout = INFINITE_TIMEOUT;
2019-11-19 05:18:28 +03:00
}
}
this._debuggerLogBreakpointLines = new Multimap();
this.beforeAll = (callback) => this._currentSuite.beforeAll(callback);
this.beforeEach = (callback) => this._currentSuite.beforeEach(callback);
this.afterAll = (callback) => this._currentSuite.afterAll(callback);
this.afterEach = (callback) => this._currentSuite.afterEach(callback);
this.describe = this._suiteBuilder([]);
this.it = this._testBuilder([]);
this.testAttribute('debug', t => {
t.setMode(t.Modes.Focus);
t.setTimeout(INFINITE_TIMEOUT);
const N = t.body().toString().split('\n').length;
const location = t.location();
for (let line = 0; line < N; ++line)
this._debuggerLogBreakpointLines.set(location.filePath, line + location.lineNumber);
});
this.testModifier('skip', (t, condition) => condition && t.setMode(t.Modes.Skip));
this.suiteModifier('skip', (s, condition) => condition && s.setMode(s.Modes.Skip));
this.testModifier('fail', (t, condition) => condition && t.setExpectation(t.Expectations.Fail));
this.suiteModifier('fail', (s, condition) => condition && s.setExpectation(s.Expectations.Fail));
this.testModifier('slow', (t, condition) => condition && t.setTimeout(t.timeout() * 3));
this.testModifier('repeat', (t, count) => t.setRepeat(count));
this.suiteModifier('repeat', (s, count) => s.setRepeat(count));
this.testAttribute('focus', t => t.setMode(t.Modes.Focus));
this.suiteAttribute('focus', s => s.setMode(s.Modes.Focus));
this.fdescribe = this.describe.focus;
this.xdescribe = this.describe.skip(true);
this.fit = this.it.focus;
this.xit = this.it.skip(true);
this.dit = this.it.debug;
}
_suiteBuilder(callbacks) {
return new Proxy((name, callback, ...suiteArgs) => {
const location = getCallerLocation(__filename);
const suite = new Suite(this._currentSuite, name, location);
for (const { callback, args } of callbacks)
callback(suite, ...args);
for (let i = 0; i < suite.repeat(); i++) {
this._currentSuite = suite._clone();
callback(...suiteArgs);
this._suites.push(this._currentSuite);
this._currentSuite = this._currentSuite.parentSuite();
}
}, {
get: (obj, prop) => {
if (this._suiteModifiers.has(prop))
return (...args) => this._suiteBuilder([...callbacks, { callback: this._suiteModifiers.get(prop), args }]);
if (this._suiteAttributes.has(prop))
return this._suiteBuilder([...callbacks, { callback: this._suiteAttributes.get(prop), args: [] }]);
return obj[prop];
},
});
}
_testBuilder(callbacks) {
return new Proxy((name, callback) => {
const location = getCallerLocation(__filename);
const test = new Test(this._currentSuite, name, callback, location);
test.setTimeout(this._timeout);
for (const { callback, args } of callbacks)
callback(test, ...args);
for (let i = 0; i < test.repeat(); i++)
this._tests.push(test._clone());
}, {
get: (obj, prop) => {
if (this._testModifiers.has(prop))
return (...args) => this._testBuilder([...callbacks, { callback: this._testModifiers.get(prop), args }]);
if (this._testAttributes.has(prop))
return this._testBuilder([...callbacks, { callback: this._testAttributes.get(prop), args: [] }]);
return obj[prop];
},
});
}
testModifier(name, callback) {
this._testModifiers.set(name, callback);
}
testAttribute(name, callback) {
this._testAttributes.set(name, callback);
2019-11-19 05:18:28 +03:00
}
suiteModifier(name, callback) {
this._suiteModifiers.set(name, callback);
}
suiteAttribute(name, callback) {
this._suiteAttributes.set(name, callback);
}
loadTests(module, ...args) {
if (typeof module.describe === 'function')
this.describe('', module.describe, ...args);
if (typeof module.fdescribe === 'function')
this.describe.focus('', module.fdescribe, ...args);
if (typeof module.xdescribe === 'function')
this.describe.skip(true)('', module.xdescribe, ...args);
2019-11-19 05:18:28 +03:00
}
async run(options = {}) {
const { totalTimeout = 0 } = options;
let session = this._debuggerLogBreakpointLines.size ? await setLogBreakpoints(this._debuggerLogBreakpointLines) : null;
const runnableTests = this.runnableTests();
2019-11-19 05:18:28 +03:00
this.emit(TestRunner.Events.Started, runnableTests);
let result = new Result();
if (this._crashIfTestsAreFocusedOnCI && process.env.CI && this.hasFocusedTestsOrSuites()) {
result.setResult(TestResult.Crashed, '"focused" tests or suites are probitted on CI');
2019-11-19 05:18:28 +03:00
} else {
this._runningPass = new TestPass(this, this._parallel, this._breakOnFailure);
let timeoutId;
if (totalTimeout) {
timeoutId = setTimeout(() => {
this._runningPass._terminate(TestResult.Terminated, `Total timeout of ${totalTimeout}ms reached.`, true /* force */, null /* error */);
}, totalTimeout);
}
try {
result = await this._runningPass.run(runnableTests).catch(e => { console.error(e); throw e; });
} finally {
this._runningPass = null;
clearTimeout(timeoutId);
}
2019-11-19 05:18:28 +03:00
}
this.emit(TestRunner.Events.Finished, result);
if (session)
session.disconnect();
2019-11-19 05:18:28 +03:00
return result;
}
runnableTests() {
if (!this.hasFocusedTestsOrSuites())
return this._tests.slice();
const notFocusedSuites = new Set();
// Mark parent suites of focused tests as not focused.
for (const test of this._tests) {
if (test.mode() === TestMode.Focus) {
for (let suite = test.suite(); suite; suite = suite.parentSuite())
notFocusedSuites.add(suite);
}
}
// Pick all tests that are focused or belong to focused suites.
const tests = [];
for (const test of this._tests) {
let focused = test.mode() === TestMode.Focus;
for (let suite = test.suite(); suite; suite = suite.parentSuite())
focused = focused || (suite.mode() === TestMode.Focus && !notFocusedSuites.has(suite));
if (focused)
tests.push(test);
}
return tests;
}
async terminate() {
2019-11-19 05:18:28 +03:00
if (!this._runningPass)
return;
await this._runningPass._terminate(TestResult.Terminated, 'Terminated with |TestRunner.terminate()| call', true /* force */, null /* error */);
2019-11-19 05:18:28 +03:00
}
timeout() {
return this._timeout;
}
focusedSuites() {
return this._suites.filter(suite => suite.mode() === TestMode.Focus);
}
focusedTests() {
return this._tests.filter(test => test.mode() === TestMode.Focus);
}
2019-11-19 05:18:28 +03:00
hasFocusedTestsOrSuites() {
return !!this.focusedTests().length || !!this.focusedSuites().length;
}
focusMatchingTests(fullNameRegex) {
for (const test of this._tests) {
if (fullNameRegex.test(test.fullName()))
test.setMode(TestMode.Focus);
}
2019-11-19 05:18:28 +03:00
}
tests() {
return this._tests.slice();
}
failedTests() {
return this._tests.filter(test => isTestFailure(test.result));
2019-11-19 05:18:28 +03:00
}
passedTests() {
return this._tests.filter(test => test.result === TestResult.Ok);
2019-11-19 05:18:28 +03:00
}
skippedTests() {
return this._tests.filter(test => test.result === TestResult.Skipped);
2019-11-19 05:18:28 +03:00
}
2020-03-03 01:57:09 +03:00
markedAsFailingTests() {
return this._tests.filter(test => test.result === TestResult.MarkedAsFailing);
2020-03-03 01:57:09 +03:00
}
2019-11-19 05:18:28 +03:00
parallel() {
return this._parallel;
}
}
async function setLogBreakpoints(debuggerLogBreakpoints) {
const session = new inspector.Session();
session.connect();
const postAsync = util.promisify(session.post.bind(session));
await postAsync('Debugger.enable');
const setBreakpointCommands = [];
for (const filePath of debuggerLogBreakpoints.keysArray()) {
const lineNumbers = debuggerLogBreakpoints.get(filePath);
const lines = (await readFileAsync(filePath, 'utf8')).split('\n');
for (const lineNumber of lineNumbers) {
setBreakpointCommands.push(postAsync('Debugger.setBreakpointByUrl', {
url: url.pathToFileURL(filePath),
lineNumber,
condition: `console.log('${String(lineNumber + 1).padStart(6, ' ')} | ' + ${JSON.stringify(lines[lineNumber])})`,
}).catch(e => {}));
};
}
await Promise.all(setBreakpointCommands);
return session;
}
2019-11-19 05:18:28 +03:00
/**
* @param {*} value
* @param {string=} message
*/
function assert(value, message) {
if (!value)
throw new Error(message);
}
TestRunner.Events = {
Started: 'started',
Finished: 'finished',
TestStarted: 'teststarted',
TestFinished: 'testfinished',
};
module.exports = TestRunner;