Dart-Future,Async/await,Stream

一:Future
1.Future.then:成功
2.Future.catchError:异步任务发生错误,在catchError中捕获错误  等同 onError   
Future.then.catchError((e){//执行失败会走到这里 print(e);}))  
Future.then((res){}, onError:(){})
3.Future.whenComplete:无论成功或失败都会走
4.Future.wait:等待多个异步任务都执行结束后才进行一些操作
Future.wait([
// 2秒后返回结果 
Future.delayed(newDuration(seconds:2),(){return"hello";}),
// 4秒后返回结果
Future.delayed(newDuration(seconds:4),(){return" world";})]).then((results){
print(results[0]+results[1]);
}).catchError((e){
print(e);
}).whenComplete((){
});

二:Async/await
//先分别定义各个异步任务
Futurelogin(String userName,String pwd){
...
//用户登录};
FuturegetUserInfo(String id){
...
//获取用户信息 };
FuturesaveUserInfo(String userInfo){
...
// 保存用户信息
};
ll
login("alice","******").then((id){
//登录成功后通过,id获取用户信息
 getUserInfo(id).then((userInfo){
//获取用户信息后保存
saveUserInfo(userInfo).then((){
//保存用户信息,接下来执行其它操作...
});
});
})
ll
login("alice","******").then((id){
returngetUserInfo(id);
}).then((userInfo){
returnsaveUserInfo(userInfo);
}).then((e){
//执行接下来的操作
}).catchError((e){
//错误处理 print(e);
});
ll
task()async{try{
String id=awaitlogin("alice","******");
String userInfo=awaitgetUserInfo(id);
awaitsaveUserInfo(userInfo);
//执行接下来的操作
 }catch(e){
//错误处理
 print(e);
}
}

三:Stream
Stream 也是用于接收异步事件数据,和Future 不同的是,它可以接收多个异步操作的结果(成功或失败)。
Stream.fromFutures([
// 1秒后返回结果
Future.delayed(newDuration(seconds:1),(){return"hello 1";}),
// 抛出一个异常
Future.delayed(newDuration(seconds:2),(){throwAssertionError("Error");}),
// 3秒后返回结果
Future.delayed(newDuration(seconds:3),(){return"hello 3";})]).listen((data){
print(data);
},onError:(e){
print(e.message);
},onDone:(){});

你可能感兴趣的:(Dart-Future,Async/await,Stream)