3

使用 SpiderMonkey,您可以利用条件 catch 块将异常路由到适当的处理程序。

try {
// function could throw three exceptions
getCustInfo("Lee", 1234, "lee@netscape.com")
}
catch (e if e == "InvalidNameException") {
// call handler for invalid names
bad_name_handler(e)
}
catch (e if e == "InvalidIdException") {
// call handler for invalid ids
bad_id_handler(e)
}
catch (e if e == "InvalidEmailException") {
// call handler for invalid email addresses
bad_email_handler(e)
}
catch (e){
// don't know what to do, but log it
logError(e)
}

来自 MDN 的示例

但是在 V8 中,此代码不会编译,任何建议或解决方法都不是显而易见的。

4

1 回答 1

6

据我所知,其他 JavaScript 引擎中没有类似的功能。

但是使用此功能很容易转换代码:

try {
    A
} catch (e if B) {
    C
}

到只使用所有 JavaScript 引擎都支持的标准特性的代码中:

try {
    A
} catch (e) {
    if (B) {
        C
    } else {
        throw e;
    }
}

你给出的例子更容易翻译:

try {
    getCustInfo("Lee", 1234, "lee@netscape.com");
} catch (e) {
    if (e == "InvalidNameException") {
        bad_name_handler(e);
    } else if (e == "InvalidIdException") {
        bad_id_handler(e);
    } else if (e == "InvalidEmailException") {
        bad_email_handler(e);
    } else {
        logError(e);
    }
}
于 2011-01-08T18:42:52.737 回答