最新的Web開發教程
 

JavaScript的try / catch / finally語句

<JavaScript語句參考

在這個例子中,我們已經取得了代碼中的錯字(try塊 )。

這個例子應該提醒"Welcome guest!" ,但警報拼寫錯誤。

catch塊捕獲錯誤,並執行代碼來處理它:

<!DOCTYPE html>
<html>
<body>

<p id="demo"></p>

<script>
try {
    adddlert("Welcome guest!");
}
catch(err) {
    document.getElementById("demo").innerHTML = err.message;
}
</script>

</body>
</html>
試一試»

更多"Try it Yourself"下面的例子。


定義和用法

在的try / catch / finally語句處理的部分或全部可能發生的代碼塊,雖然仍在運行的代碼錯誤。

錯誤可以被編碼,由於輸入錯誤,以及其他不可預見的事情由程序員所犯的錯誤,錯誤。

try語句允許您定義的代碼塊,同時正在執行其被錯誤檢測。

catch語句允許您定義將要執行的代碼塊,如果在try塊發生錯誤。

finally語句可以讓你執行代碼,try和catch後,無論結果如何。

注:漁獲物和finally語句都是可選的,但你需要使用其中之一(if not both)同時使用try語句。

提示:當一個錯誤發生時,JavaScript就正常停止,並生成一個錯誤消息。 使用語句來創建一個自定義錯誤(throw an exception) 。 如果您使用trycatch一起 ,你可以控制程序流程,並生成自定義錯誤消息。

有關JavaScript錯誤的更多信息,讀出JavaScript錯誤教程。


瀏覽器支持

聲明
try/catch/finally

句法

try {
    tryCode - Block of code to try
}
catch( err ) {
    catchCode - Block of code to handle errors
}
finally {
    finallyCode - Block of code to be executed regardless of the try / catch result
}

參數值

參數 描述
tryCode 需要。 的碼塊中的錯誤,同時正在執行它被測試
err 如果與捕捉使用所需。 指定指錯誤的局部變量。 變量可以參考Error對象(包含關於發生錯誤的信息,如消息“'addlert'沒有定義”)。 如果異常是由throw語句創建的,該變量是指在throw語句中指定的對象(見“更多示例”)
catchCode 可選的。 要被執行的代碼塊,如果在try塊中發生錯誤。 如果沒有發生錯誤,則永遠不會執行的代碼塊
finallyCode 可選的。 的代碼塊,而無論執行的try / catch語句的結果

技術細節

JavaScript的版本: 1.4

例子

更多示例

該實施例檢查輸入。 如果值是錯誤的,一個異常(err)被拋出。

唯一的例外(err)被catch語句捕獲和顯示自定義錯誤消息:

<!DOCTYPE html>
<html>
<body>

<p>Please input a number between 5 and 10:</p>

<input id="demo" type="text">
<button type="button" onclick="myFunction()">Test Input</button>
<p id="message"></p>

<script>
function myFunction() {
    var message, x;
    message = document.getElementById("message");
    message.innerHTML = "";
    x = document.getElementById("demo").value;
    try {
        if(x == "") throw "is Empty";
        if(isNaN(x)) throw "not a number";
        if(x > 10) throw "too high";
        if(x < 5) throw "too low";
    }
    catch(err) {
        message.innerHTML = "Input " + err;
    }
}
</script>

</body>
</html>
試一試»

finally語句可以讓你執行代碼,try和catch後,無論結果如何:

function myFunction()
    var message, x;
    message = document.getElementById("message");
    message.innerHTML = "";
    x = document.getElementById("demo").value;
    try {
        if(x == "") throw "Empty";
        if(isNaN(x)) throw "Not a number";
        if(x > 10) throw "Too high";
        if(x < 5) throw "Too low";
    }
    catch(err) {
        message.innerHTML = "Error: " + err + ".";
    }
    finally {
        document.getElementById("demo").value = "";
    }
}
試一試»

相關頁面

JavaScript的教程: JavaScript錯誤

javascript參考: JavaScript的throw語句


<JavaScript語句參考