我有一个Category
数据类和一个Plan
数据类。
每个Category
都有一个计划ID的列表。有通过房间存储的类别和计划。我试图构造一个本地List<Any>
,在其中将每个类别添加到列表中,然后添加其每个计划。
因此,对于每个类别,将类别添加到列表中,然后添加属于该类别的每个计划。
最终结果看起来像这样...
0 -> a Category
1 -> a Plan
2 -> a Plan
3 -> a Plan
4 -> a Category
5 -> a Plan
等
以下调用成功返回了Observable<List<Category>>
和Observable<Plan>
AppDatabase
.getDatabase(context)
.categoryDao()
.getAll()
AppDatabase.getDatabase(context).planDao().getPlan(planId)
在这里,我正在尝试建立我的列表,但是当我订阅它时,它实际上从不发出。没有完成或错误。流中的其他所有内容都受到了欢迎。为什么我无法获得最终结果?
fun fetchCategoriesAndPlans() {
val items = mutableListOf<Any>()
AppDatabase
.getDatabase(context)
.categoryDao()
.getAll()
.concatMap { listOfCategories ->
listOfCategories.toObservable()
}
.doOnNext { category ->
items.add(category)
}
.concatMap { category ->
category.getPlanIds()!!.toObservable()
}
.flatMap { planId ->
AppDatabase.getDatabase(context).planDao().getPlan(planId)
}.collectInto(items, BiConsumer{ list, i ->
Log.d(TAG, "Collect into")
list.add(i)
})
.subscribeBy(
onSuccess = {
Log.d(TAG, "Got the list")
},
onError = {
Log.e(TAG, "Couldn't build list ${it.message}", it)
})
}
答案 0 :(得分:1)
我将根据您的案例进行演示,这有助于同时发出Category
和Plan
override fun onCreate(savedInstanceState: Bundle?) {
...
getCategories()
.flattenAsObservable { it }
.flatMap { getPlanWithCategory(it) }
.toList()
.subscribe({
for (item in it) {
Log.i("TAG", " " + item.javaClass.canonicalName)
}
}, {
})
}
fun getPlanWithCategory(category: Category): Observable<Any> {
val getPlansObservable = Observable.fromArray(category.planIds).flatMapIterable {
it
}.flatMap {
getPlan(it).toObservable()
}
return Observable.concat(Observable.just(category), getPlansObservable)
}
fun getPlan(planId: String): Single<Plan> {
return Single.just(Plan())
}
fun getCategories(): Single<List<Category>> {
val categories = arrayListOf<Category>()
categories.add(Category(arrayListOf("1", "2", "3")))
categories.add(Category(arrayListOf("1", "2")))
return Single.just(categories)
}
class Category(val planIds: List<String>)
class Plan
输出
I/TAG: Category
I/TAG: Plan
I/TAG: Plan
I/TAG: Category
I/TAG: Plan
I/TAG: Plan
希望有帮助