我在整数变量上使用array.pop()函数并期待错误。目前,我得到“TypeError:x.pop不是函数”消息。我想使用“throw”用我自己的消息覆盖它
我尝试在第一个catch块中使用另一个try-catch,这样就完成了工作。但我想在第一个try块本身中覆盖第一个TypeError
异常。
let x = 3
try {
x.pop();
// I want to override the exception generated due to this line
// with my own error message using throw
}
catch (e) {
try {
throw thisErr("this is my custom error message..")
}
catch (er) {
console.log(er);
}
}
function thisErr(message) {
let moreInfo = message
let name = "My Exception"
return `${name}: "${moreInfo}"`
}
我期待着My Exception: "this is my custom error message.."
使用console.error(er)
。
let x = 3
try {
x.pop();
}
catch (e) {
var er = thisErr("this is my custom error message..");
// log(black) My Exception: "this is my custom error message.."
console.log(er);
// error(red) My Exception: "this is my custom error message.."
console.error(er);
// error(red) Uncaught My Exception: "this is my custom error message.."
throw er;
}
function thisErr(message) {
let moreInfo = message
let name = "My Exception"
return `${name}: "${moreInfo}"`
}
快速方法:您可以使用Error构造函数创建Error对象,并将其用作定义自定义异常的基础。当没有多个实例需要抛出自定义异常时,通常可以使用此方法。
let x = 3;
try {
x.pop();
} catch (e) {
throw new Error({
name: "My Exception",
message: "this is my custom error message..",
toString: function() { return `${this.name} : ${this.message}` }
});
}
更好的方法:创建一个类CustomError并为此自定义类定义自己的构造函数。此方法更好,更强大,可以在您的应用程序需要在很多地方使用自定义异常时使用。
class CustomError extends Error {
constructor(name, message, ...params) {
// Pass remaining arguments (including vendor specific ones) to parent
constructor
super(...params);
this.name = name;
this.message = message;
// Maintains proper stack trace for where our error was thrown (only available on V8)
if (Error.captureStackTrace) {
Error.captureStackTrace(this, CustomError);
}
}
}
let x = 3;
try {
x.pop();
} catch(e){
throw new CustomError('My Exception', 'this is my custom error message..', e);
}