我们知道dart是一种单线程语言,我们执行异步操作借助的是它的 event loop 机制,Future是我们最常用到的一个工具,常见用法如下:
Future testFuture() {
... 此处进行耗时操作
}
//调用处
main() async {
//第一种,同步会阻塞
await testFuture();
//第二种,异步非阻塞
testFuture().then((value) {});
}
对于同步的future,我们使用try-catch进行异常捕获
try {
await testFuture();
} catch(e){
print(e.toString());
}
对于异步的future,有两种方式进行异常捕获
testFuture().then((value){
//成功回调
},onError: (_) {
//方式1,使用onError
}).catchError((e) {
//方式2,使用catchError
}););
方式1:使用onError,onError优先级大于catchError,因此当catchError和onError同时存在时,会命中onError方法
方式2:使用catchError
分享一个catchError失败的案例:
Future testFuture() {
throw AssertionError("assert error2");
}
//调用处
main() {
try {
testFuture().then((value) {}, onError(_){
print("onError error");
})
} catch (e) {
print("try-catch error");
}
}
运行发现,此时onError并没有被命中,而是被try-catch捕获了异常。我们又尝试在testFuture方法后加上 asyhc 进行修饰,声明告知这是一个异步结果,此时onError会被命中。或者,我们将 throw AssertionError("assert error2") 改为 return Future.error("assert error2") , onError 也会被命中。
网友评论