Чи існує спосіб очищення .then
s Promise
екземпляра JavaScript ?
Я написав тестову рамку JavaScript поверх QUnit . Рамка запускає тести синхронно, запускаючи кожен з а Promise
. (Вибачте за довжину цього блоку коду. Я прокоментував це якнайкраще, тому він відчуває себе менш стомлюючим.)
/* Promise extension -- used for easily making an async step with a
timeout without the Promise knowing anything about the function
it's waiting on */
$$.extend(Promise, {
asyncTimeout: function (timeToLive, errorMessage) {
var error = new Error(errorMessage || "Operation timed out.");
var res, // resolve()
rej, // reject()
t, // timeout instance
rst, // reset timeout function
p, // the promise instance
at; // the returned asyncTimeout instance
function createTimeout(reject, tempTtl) {
return setTimeout(function () {
// triggers a timeout event on the asyncTimeout object so that,
// if we want, we can do stuff outside of a .catch() block
// (may not be needed?)
$$(at).trigger("timeout");
reject(error);
}, tempTtl || timeToLive);
}
p = new Promise(function (resolve, reject) {
if (timeToLive != -1) {
t = createTimeout(reject);
// reset function -- allows a one-time timeout different
// from the one original specified
rst = function (tempTtl) {
clearTimeout(t);
t = createTimeout(reject, tempTtl);
}
} else {
// timeToLive = -1 -- allow this promise to run indefinitely
// used while debugging
t = 0;
rst = function () { return; };
}
res = function () {
clearTimeout(t);
resolve();
};
rej = reject;
});
return at = {
promise: p,
resolve: res,
reject: rej,
reset: rst,
timeout: t
};
}
});
/* framework module members... */
test: function (name, fn, options) {
var mod = this; // local reference to framework module since promises
// run code under the window object
var defaultOptions = {
// default max running time is 5 seconds
timeout: 5000
}
options = $$.extend({}, defaultOptions, options);
// remove timeout when debugging is enabled
options.timeout = mod.debugging ? -1 : options.timeout;
// call to QUnit.test()
test(name, function (assert) {
// tell QUnit this is an async test so it doesn't run other tests
// until done() is called
var done = assert.async();
return new Promise(function (resolve, reject) {
console.log("Beginning: " + name);
var at = Promise.asyncTimeout(options.timeout, "Test timed out.");
$$(at).one("timeout", function () {
// assert.fail() is just an extension I made that literally calls
// assert.ok(false, msg);
assert.fail("Test timed out");
});
// run test function
var result = fn.call(mod, assert, at.reset);
// if the test returns a Promise, resolve it before resolving the test promise
if (result && result.constructor === Promise) {
// catch unhandled errors thrown by the test so future tests will run
result.catch(function (error) {
var msg = "Unhandled error occurred."
if (error) {
msg = error.message + "\n" + error.stack;
}
assert.fail(msg);
}).then(function () {
// resolve the timeout Promise
at.resolve();
resolve();
});
} else {
// if test does not return a Promise, simply clear the timeout
// and resolve our test Promise
at.resolve();
resolve();
}
}).then(function () {
// tell QUnit that the test is over so that it can clean up and start the next test
done();
console.log("Ending: " + name);
});
});
}
Якщо тест закінчився, мій час очікування Обіцяє assert.fail()
на тест, щоб тест був позначений як невдалий, що все добре і добре, але тест продовжує працювати, оскільки тест Promise ( result
) ще чекає, щоб його вирішити.
Мені потрібен хороший спосіб скасувати тест. Я можу це зробити, створивши поле на рамковому модулі this.cancelTest
чи щось таке, і перевіряючи кожну так часто (наприклад, на початку кожної then()
ітерації) в рамках тесту, чи потрібно скасовувати. Однак в ідеалі я міг би використати $$(at).on("timeout", /* something here */)
для очищення залишків then()
s моєї result
змінної, щоб жоден з решти тесту не запускався.
Чи існує щось подібне?
Швидке оновлення
Я спробував використовувати Promise.race([result, at.promise])
. Це не спрацювало.
Оновлення 2 + плутанина
Щоб розблокувати мене, я додав кілька рядків з mod.cancelTest
/ опитуванням в рамках тестової ідеї. (Я також видалив тригер події.)
return new Promise(function (resolve, reject) {
console.log("Beginning: " + name);
var at = Promise.asyncTimeout(options.timeout, "Test timed out.");
at.promise.catch(function () {
// end the test if it times out
mod.cancelTest = true;
assert.fail("Test timed out");
resolve();
});
// ...
}).then(function () {
// tell QUnit that the test is over so that it can clean up and start the next test
done();
console.log("Ending: " + name);
});
Я встановлюю точку перелому в catch
заяві, і це вражає. Зараз мене бентежить те, що then()
заява не викликається. Ідеї?
Оновлення 3
Зрозуміло останнє, що вийшло. fn.call()
кидав помилку, яку я не зрозумів, тому тестова обіцянка була відхилена, перш ніж at.promise.catch()
вдалося її усунути.
Prex
бібліотеки для скасування обіцянок.