我第一次在应用程序中使用rxJava,我正在尝试实现以下实现:
这是我的代码:-
private Observable<List<Result<Account, IError>>> filterAccounts(Context context, List<Account> accounts){
accountDAL.getByIds(context, accounts
.stream()
.map(a -> Long.valueOf(a.getAccountId()))
.collect(Collectors.toList()))//return Observable<List<T>> getByIds(Context context, List<Long> ids)
.map( a -> {
Map<Long, SearchConnectAccount> map = a.stream()
.collect(Collectors.toMap(a -> a.getId(), Function.identity())); // map ==> {id = Account}
return map;
}).subscribe( seMap -> { // subscribe observable
List<Account> filteredList = accounts.stream()
.filter(a -> seMap.get(Long.valueOf(a.getAccountId())) == null)
.collect(Collectors.toList());
Observable<List<Result<Account, IError>>> o = accountDAL.save(context, filteredList).first();
return o;//accountDAL.save(context, filteredList).first();
});
// how to return Observable<List<Result<Account, IError>>> from here
}
感谢您的帮助。
答案 0 :(得分:2)
您可以这样做
private Observable<List<Result<Account, IError>>> filterAccounts(Context context, List<Account> accounts){
return accountDAL.getByIds(context, accounts
.stream()
.map(a -> Long.valueOf(a.getAccountId()))
.collect(Collectors.toList()))
.map(a ->
a.stream()
.collect(Collectors.toMap(a -> a.getId(), Function.identity())) // map ==> {id = Account}
).map(seMap ->
accountDAL.save(context, accounts.stream()
.filter(a -> seMap.get(Long.valueOf(a.getAccountId())) == null)
.collect(Collectors.toList())).first());
}
更新
对save
的第二次调用返回一个Observable<?>
(只是一个假设),当它被包装在map
运算符中时,它返回Observable<Observable<?>>
。但是,您需要作为返回值的是Observable<?>
。因此,您需要将Observable<Observable<?>>
展平为Observable<?>
,这就是使用flatMap
的地方。如果需要的话,这是更新的答案。
private Observable<List<Result<Account, IError>>> filterAccounts(Context context, List<Account> accounts) {
return accountDAL
.getByIds(context,
accounts.stream().map(a -> Long.valueOf(a.getAccountId())).collect(Collectors.toList()))
.map(ar -> ar.stream().collect(Collectors.toMap(Account::getAccountId, Function.identity())) // map ==>
// {id =
// Account}
).flatMap(seMap -> accountDAL.save(context, accounts.stream()
.filter(a -> seMap.get(Long.valueOf(a.getAccountId())) == null).collect(Collectors.toList())));
}