我正在尝试为Jasmine测试框架编写一个测试,该测试预计会出现错误。目前,我正在使用来自GitHub的Jasmine Node.js集成。
在我的Node.js模块中,我有以下代码:
throw new Error("Parsing is not possible");
现在我试着写一个测试,期望这个错误:
describe('my suite...', function() {
[..]
it('should not parse foo', function() {
[..]
expect(parser.parse(raw)).toThrow(new Error("Parsing is not possible"));
});
});
我还尝试了Error()和其他一些变体,只是不知道如何使它工作。
对我来说,发布的解决方案不起作用,它一直抛出这个错误:
错误:期望函数抛出异常。
我后来意识到,我期望抛出错误的函数是一个异步函数,并期望承诺被拒绝,然后抛出错误,这就是我在我的代码中所做的:
throw new Error('REQUEST ID NOT FOUND');
这就是我在测试中所做的,它起作用了:
it('Test should throw error if request not found', willResolve(() => {
const promise = service.getRequestStatus('request-id');
return expectToReject(promise).then((err) => {
expect(err.message).toEqual('REQUEST NOT FOUND');
});
}));
一个比创建一个匿名函数(其唯一目的是包装另一个函数)更优雅的解决方案是使用ES5的bind函数。bind函数创建一个新函数,在调用该函数时,将其this关键字设置为所提供的值,并在调用新函数时所提供的任何参数之前设置给定的参数序列。
而不是:
Expect (function(){解析器。解析(原始配置);})。toThrow(“解析不可能”);
考虑:
期望(parser.parse。绑定(解析器,原始,配置))。toThrow(“解析不可能”);
绑定语法允许您测试具有不同this值的函数,在我看来,这使测试更具可读性。参见:
Jasmine的toThrow匹配器要求参数被包装在匿名函数中吗?
如前所述,需要将函数传递给toThrow,因为它是您在测试中描述的函数:“I expect this function to throw x”
expect(() => parser.parse(raw))
.toThrow(new Error('Parsing is not possible'));
如果使用茉莉花-匹配器,你也可以使用以下其中之一,当他们适合的情况;
// I just want to know that an error was
// thrown and nothing more about it
expect(() => parser.parse(raw))
.toThrowAnyError();
or
// I just want to know that an error of
// a given type was thrown and nothing more
expect(() => parser.parse(raw))
.toThrowErrorOfType(TypeError);
您正在使用:
expect(fn).toThrow(e)
但是如果你看一下函数注释(expected is string):
294 /**
295 * Matcher that checks that the expected exception was thrown by the actual.
296 *
297 * @param {String} expected
298 */
299 jasmine.Matchers.prototype.toThrow = function(expected) {
我想你应该这样写(使用lambda - anonymous函数):
expect(function() { parser.parse(raw); } ).toThrow("Parsing is not possible");
下面的例子证实了这一点:
expect(function () {throw new Error("Parsing is not possible")}).toThrow("Parsing is not possible");
Douglas Crockford强烈推荐这种方法,而不是使用“throw new Error()”(原型):
throw {
name: "Error",
message: "Parsing is not possible"
}