複数のフラグメントからのLiveDataを観察できます。これをFlowで実行できますか?はいの場合はどうですか?
はい。これはemit
およびで行うことができますcollect
。Think emit
はライブデータに似て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)
}
}
ViewModel
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.getWeatherForecastEveryTwoSeconds().collect {
// Use the weather forecast data
// This will be called 3 times since we have 3
// weather forecast data
}
}
}
map&switchMapを使用して、単一のLiveDataから複数のLiveDataを作成できます。単一のソースフローから複数のフローを作成する方法はありますか?
流れがとても便利です。フロー内にフローを作成できます。各天気予報データに度合記号を追加するとします。
ViewModel
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と同じFragmentでデータを収集します。ここでは、ビューモデルがリポジトリからデータを収集し、フラグメントがビューモデルからデータを収集しています。
MutableLiveDataを使用すると、変数参照を使用してどこからでもデータを更新できます。Flowで同じことをする方法はありますか?
フローの外に値を放出することはできません。フロー内のコードブロックは、コレクターがある場合にのみ実行されます。ただし、LiveDataのasLiveData拡張機能を使用して、フローをライブデータに変換できます。
ViewModel
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"
}
}