我在测试中开始做的一件事是将错误消息和字符串连接包装到方法或变量中,以便在错误消息内容稍后更改时保持测试的稳定性。
例如,我会重构这样的事情:
try{
someMethod();
}catch(e){
throw new Error('error message.');
}
进入这个:
let errorMessage = 'error message';
...
try{
someMethod();
}catch(e){
throw new Error(errorMessage);
}
如果错误消息包含变量或其他内容,则类似。
我的问题是在Typescript中执行此操作的最佳方法是什么?在Java中,我会让它们受到包保护,但是如果受到保护,Jasmine似乎无法访问这样的方法。我也试过让它们变得静止。
是否有首选方法?
答案 0 :(得分:0)
在这种情况下,您可以从其他语言转移一些好的做法。
如果您创建自定义异常,则可以测试其类型,而不是字符串 - 您还可以确保错误消息的一致性。
这个例子看起来有些复杂,但它应该给你一个想法(改编自第163-168页Pro Typescript)。
CustomException
类,它实现了Error
接口,并且位于我们应用程序中所需的任何自定义错误类型之下。InvalidDateException
来表示特定的错误类,这是错误消息字符串需要存储在应用程序中的唯一位置。instanceof
用于检查类型。Error
界面兼容,后者需要name
和toString()
。代码:
class CustomException implements Error {
protected name = 'CustomException';
constructor(public message: string) {
}
toString() {
return this.name + ': ' + this.message;
}
}
class InvalidDateException extends CustomException {
constructor(public date: Date) {
super('The date supplied was not valid: ' + date.toISOString());
this.name = 'InvalidDateException';
}
}
try {
throw new InvalidDateException(new Date());
} catch (ex) {
if (ex instanceof InvalidDateException) {
alert(ex.toString());
}
}