错误处理
异常
#你的 Dart 代码可以抛出和捕获异常。异常是表示发生意外情况的错误。如果未捕获异常,则引发异常的隔离会被暂停,并且通常隔离及其程序会被终止。
与 Java 相比,Dart 的所有异常都是未检查的异常。方法不声明它们可能抛出的异常,并且你也不需要捕获任何异常。
Dart 提供了Exception
和Error
类型,以及许多预定义的子类型。当然,你可以定义自己的异常。但是,Dart 程序可以将任何非空对象(而不仅仅是 Exception 和 Error 对象)作为异常抛出。
抛出
#这是一个抛出或引发异常的示例
throw FormatException('Expected at least 1 section');
你也可以抛出任意对象
throw 'Out of llamas!';
因为抛出异常是一个表达式,你可以在 => 语句以及任何允许表达式的地方抛出异常
void distanceTo(Point other) => throw UnimplementedError();
捕获
#捕获或捕捉异常会阻止异常传播(除非你重新抛出异常)。捕获异常可以让你有机会处理它
try {
breedMoreLlamas();
} on OutOfLlamasException {
buyMoreLlamas();
}
要处理可能抛出多种类型异常的代码,你可以指定多个 catch 子句。与抛出对象类型匹配的第一个 catch 子句会处理该异常。如果 catch 子句没有指定类型,则该子句可以处理任何类型的抛出对象
try {
breedMoreLlamas();
} on OutOfLlamasException {
// A specific exception
buyMoreLlamas();
} on Exception catch (e) {
// Anything else that is an exception
print('Unknown exception: $e');
} catch (e) {
// No specified type, handles all
print('Something really unknown: $e');
}
如前面的代码所示,你可以使用 on
或 catch
或两者都使用。当你需要指定异常类型时,请使用 on
。当你的异常处理程序需要异常对象时,请使用 catch
。
你可以为 catch()
指定一个或两个参数。第一个是抛出的异常,第二个是堆栈跟踪(一个StackTrace
对象)。
try {
// ···
} on Exception catch (e) {
print('Exception details:\n $e');
} catch (e, s) {
print('Exception details:\n $e');
print('Stack trace:\n $s');
}
要部分处理异常,同时允许其传播,请使用 rethrow
关键字。
void misbehave() {
try {
dynamic foo = true;
print(foo++); // Runtime error
} catch (e) {
print('misbehave() partially handled ${e.runtimeType}.');
rethrow; // Allow callers to see the exception.
}
}
void main() {
try {
misbehave();
} catch (e) {
print('main() finished handling ${e.runtimeType}.');
}
}
Finally
#要确保某些代码无论是否抛出异常都会运行,请使用 finally
子句。如果没有 catch
子句匹配异常,则在 finally
子句运行后传播该异常
try {
breedMoreLlamas();
} finally {
// Always clean up, even if an exception is thrown.
cleanLlamaStalls();
}
finally
子句在任何匹配的 catch
子句之后运行
try {
breedMoreLlamas();
} catch (e) {
print('Error: $e'); // Handle the exception first.
} finally {
cleanLlamaStalls(); // Then clean up.
}
要了解更多信息,请查看核心库异常文档。
Assert
#在开发过程中,如果布尔条件为 false,则使用 assert 语句(assert(<condition>, <optionalMessage>);
)中断正常执行。
// Make sure the variable has a non-null value.
assert(text != null);
// Make sure the value is less than 100.
assert(number < 100);
// Make sure this is an https URL.
assert(urlString.startsWith('https'));
要将消息附加到断言,请将字符串作为 assert
的第二个参数(可选带有尾随逗号)
assert(urlString.startsWith('https'),
'URL ($urlString) should start with "https".');
assert
的第一个参数可以是解析为布尔值的任何表达式。如果表达式的值为 true,则断言成功并且执行继续。如果为 false,则断言失败并抛出异常(一个AssertionError
)。
断言究竟在何时工作?这取决于你正在使用的工具和框架
- Flutter 在调试模式下启用断言。
- 仅限开发的工具(例如
webdev serve
)通常默认启用断言。 - 某些工具(例如
dart run
和dart compile js
)通过命令行标志支持断言:--enable-asserts
。
在生产代码中,断言将被忽略,并且不会评估 assert
的参数。
除非另有说明,否则本网站上的文档反映了 Dart 3.6.0。页面最后更新于 2024-11-17。查看源代码或报告问题。