try...catch..finally
语句标记要尝试的语句块,并指定响应,如果抛出异常。 try
语句包含一个或多个语句,以及至少一个catch
子句或finally
子句,或两者。
try...catch
:
try {
throw new Error('my error');
}
catch (e) {
console.error(e.message);
}
// Output:
// my error
try...finally
:
try {
throw new Error('my error');
}
finally {
console.error('finally');
}
// Output:
// finally
注意: 当你没有catch
到错误时,它实际上并没有被“ catch
”,即使执行了finally
块。这意味着错误将继续到上面的try
块(或主块)。
try...catch...finally
:
try {
throw new Error('my error');
}
catch (e) {
console.error(e.message);
}
finally {
console.error('finally');
}
// Output:
// my error
// finally
典型用法:
try {
openFile(file);
readFile(file)
}
catch (e) {
console.error(e.message);
}
finally {
closeFile(file);
}
嵌套try...catch
:
你也可以:
- 在
try
块中嵌入try-catch
语句。 - 向上抛出错误。
try {
try {
throw new Error('my error');
}
catch (e) {
console.error('inner', e.message);
throw e;
}
finally {
console.log('finally');
}
}
catch (e) {
console.error('outer', e.message);
}
// Output:
// inner my error
// finally
// outer my error
错误类型
参考错误
var x;
try {
x = y + 1; // y cannot be referenced (used)
}
catch(err) {
console.log(err.name, err.message);
}
// ReferenceError y is not defined
语法错误
try {
eval("alert('Hello)"); // Missing ' will produce an error
}
catch(err) {
console.log(err.name,err.message);
}
// SyntaxError Invalid or unexpected token
输入错误
var num = 1;
try {
num.toUpperCase(); // You cannot convert a number to upper case
}
catch(err) {
console.log(err.name, err.message);
}
// TypeError num.toUpperCase is not a function
URI错误
try {
decodeURI("%%%"); // You cannot URI decode these percent signs
}
catch(err) {
console.log(err.name, err.message);
}
// URIError URI malformed
更多JavaScript教程
学习更多JavaScript教程