我可以从多个片段中观察 LiveData。我可以用 Flow 做到这一点吗?如果是,那怎么办?
是的。您可以使用emit
和来做到这一点collect
。Thinkemit
类似于实时数据postValue
,collect
类似于observe
. 让我们举个例子。
存储库
// I just faked the weather forecast
val weatherForecast = listOf("10", "12", "9")
// This function returns flow of forecast data
// Whenever the data is fetched, it is emitted so that
// collector can collect (if there is any)
fun getWeatherForecastEveryTwoSeconds(): Flow<String> = flow {
for (i in weatherForecast) {
delay(2000)
emit(i)
}
}
视图模型
fun getWeatherForecast(): Flow<String> {
return forecastRepository.getWeatherForecastEveryTwoSeconds()
}
分段
override fun onViewCreated(view: View, savedInstanceState: Bundle?) {
// Collect is suspend function. So you have to call it from a
// coroutine scope. You can create a new coroutine or just use
// lifecycleScope
// https://developer.android.com/topic/libraries/architecture/coroutines
lifecycleScope.launch {
viewModel.getWeatherForecast().collect {
// Use the weather forecast data
// This will be called 3 times since we have 3
// weather forecast data
}
}
}
我们可以使用 map&switchMap 从单个 LiveData 中获取多个 LiveData。有没有办法从单个源流中获得多个流?
流量非常好用。您可以在流中创建流。假设您想将度数符号附加到每个天气预报数据。
视图模型
fun getWeatherForecast(): Flow<String> {
return flow {
forecastRepository
.getWeatherForecastEveryTwoSeconds(spendingDetailsRequest)
.map {
it + " °C"
}
.collect {
// This will send "10 °C", "12 °C" and "9 °C" respectively
emit(it)
}
}
}
然后收集与#1相同的片段中的数据。这里发生的是视图模型正在从存储库中收集数据,而片段正在从视图模型中收集数据。
使用 MutableLiveData 我可以使用变量引用从任何地方更新数据。有没有办法对 Flow 做同样的事情?
你不能在流量之外发出价值。flow里面的代码块只有在有collector的时候才会执行。但是您可以使用 LiveData 中的 asLiveData 扩展将流转换为实时数据。
视图模型
fun getWeatherForecast(): LiveData<String> {
return forecastRepository
.getWeatherForecastEveryTwoSeconds()
.asLiveData() // Convert flow to live data
}
在你的情况下,你可以这样做
private fun getSharedPrefFlow() = callbackFlow {
val sharedPref = context?.getSharedPreferences("SHARED_PREF_NAME", MODE_PRIVATE)
sharedPref?.all?.forEach {
offer(it)
}
}
getSharedPrefFlow().collect {
val key = it.key
val value = it.value
}
编辑
感谢@mark 的评论。在视图模型中为函数创建新流程getWeatherForecast
实际上是不必要的。它可以重写为
fun getWeatherForecast(): Flow<String> {
return forecastRepository
.getWeatherForecastEveryTwoSeconds(spendingDetailsRequest)
.map {
it + " °C"
}
}