在try语句可以测试一个代码块的错误。
该catch语句可以处理错误。
该throw声明,您可以创建自定义的错误。
该finally语句可以让你执行代码,try和catch后,无论结果。
错误会发生!
当执行JavaScript代码,可能会出现不同的错误。
错误可以被编码由程序员所犯的错误,由于错误输入,以及其他不可预见的事情的错误:
例
<!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块 )。
在catch块捕获错误,并执行代码来处理它。
JavaScript的try和catch
在try声明允许您定义的代码块,同时正在执行其被错误检测。
该catch语句允许您定义将要执行的代码块,如果在try块发生错误。
在JavaScript语句try和catch成对出现的:
try {
Block of code to try
}
catch(err) {
Block of code to handle errors
}
JavaScript可以抛出错误
当错误发生时,JavaScript的,通常会停下来,并产生一个错误信息。
这种情况的技术术语是:JavaScript的将提高(或抛出)异常 。
该throw声明
该throw声明允许您创建一个自定义错误。
从技术上讲,你可以提高(抛出)异常 。
唯一的例外可能是一个JavaScript字符串,数字,布尔值或对象:
throw "Too big"; // throw a text
throw 500; // throw a number
如果你使用throw一起try和catch ,你可以控制程序流程,并生成自定义错误消息。
输入验证实例
这个例子检查输入。 如果值是错误的,一个异常(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 "empty";
if(isNaN(x)) throw "not a number";
x = Number(x);
if(x < 5) throw
"too low";
if(x > 10) throw "too
high";
}
catch(err) {
message.innerHTML =
"Input is " + err;
}
}
</script>
</body>
</html>
试一试» HTML验证
上面的代码只是一个例子。
现代浏览器会经常使用的JavaScript的组合,内置HTML验证,使用HTML属性定义的预定义的验证规则:
<input id="demo" type="number" min="5" max="10" step="1"
您可以在本教程的后面章节阅读更多有关形式的检验。
在finally陈述
在finally声明中,您可以执行代码,经过try和catch ,无论结果:
try {
Block of code to try
}
catch(err) {
Block of code to handle errors
}
finally {
Block of code to be
executed regardless of the try / catch result
}
例
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 "is not a number";
x = Number(x);
if(x >
10) throw "is too high";
if(x <
5) throw "is too low";
}
catch(err)
{
message.innerHTML = "Error: " +
err + ".";
}
finally {
document.getElementById("demo").value
= "";
}
}
试一试»