JavaScript异常处理无法按预期工作

时间:2015-03-07 21:28:54

标签: javascript exception exception-handling

这是我第一次使用JavaScript异常和异常处理。

好的,我有以下简单的代码。

function getMonth( month ) {

    month = month -1;
    var months = [
                    "January",
                    "February",
                    "March",
                    "April",
                    "May",
                    "June",
                    "July",
                    "August",
                    "September",
                    "October",
                    "November",
                    "December"
                ];

    if( month != null ) {
        if( months.indexOf( month ) ) {
            return months[month];
        } else {
            throw "Invalid number for month";
        }
    } else {
        throw "No month provided";
    }
}

基本上它首先检查是否为函数提供了参数,如果没有,则抛出异常。其次,它检查提供的数字是否与有效的月份数相匹配,如果没有则抛出异常。

我按如下方式运行:

try {
    month = getMonth();
} catch( e ) {
    console.log( e );
}

控制台不记录异常,“没有提供月份”。为什么是这样?我目前正在阅读有关例外的内容: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Control_flow_and_error_handling#Exception_Handling_Statements

2 个答案:

答案 0 :(得分:1)

这是一个棘手的问题。这里的问题是:您的代码实际上从未到达throw语句,但是会一直运行并正常返回。原因有点“JavaScriptish”:

在调用函数时,引入变量month(因为它在参数内),但到此时它的值为undefined。然后,语句month -1;undefined - 1相同,后者返回Illegal NumberNaN。 (如果真的扔了会更好,我同意)。

您的第一个if(month != null)现已解析为true month = NaNNaN != null。第二个条件返回true,因为如果给定值在数组中 NOT Array.indexOf确实会返回-1-1是有效值,因此会解析为true

我再次同意 - 这有点违反直觉。但是嘿 - 欢迎使用JavaScript。它有好的一面,我保证;)

小提示:尝试我在浏览器控制台中发布的所有条件和声明,然后你会更好地理解它。

答案 1 :(得分:0)

这是因为月份变量为undefined且不等于null



try {
    month = getMonth();
    alert(month);
} catch( e ) {
    alert(e);
}


function getMonth( month ) {

    month = month -1;
    var months = [
                    "January",
                    "February",
                    "March",
                    "April",
                    "May",
                    "June",
                    "July",
                    "August",
                    "September",
                    "October",
                    "November",
                    "December"
                ];

    if( month != null ) {
        if( months.indexOf( month ) ) {
            return months[month];
        } else {
            throw "Invalid number for month";
        }
    } else {
        throw "No month provided";
    }
}




有关详细信息,请阅读此article