ฉันสามารถสังเกต LiveData ได้จากหลายแฟรกเมนต์ ฉันสามารถทำสิ่งนี้กับ Flow ได้หรือไม่ ถ้าใช่แล้วได้อย่างไร
ใช่. คุณสามารถทำเช่นนี้กับและemit
collect
คิดว่า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
}
}
}
เราสามารถมี LiveData หลายรายการจาก LiveData เดียวโดยใช้ map & switchMap มีวิธีใดที่จะมีการไหลหลายครั้งจากการไหลของแหล่งเดียว?
การไหลมีประโยชน์มาก คุณสามารถสร้างกระแสภายในไหล ให้บอกว่าคุณต้องการผนวกเครื่องหมายองศาเข้ากับข้อมูลพยากรณ์อากาศแต่ละรายการ
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)
}
}
}
จากนั้นรวบรวมข้อมูลใน Fragment เช่นเดียวกับ # 1 ที่นี่สิ่งที่เกิดขึ้นคือตัวแบบมุมมองกำลังรวบรวมข้อมูลจากที่เก็บและส่วนที่รวบรวมข้อมูลจากตัวแบบมุมมอง
ใช้ MutableLiveData ฉันสามารถอัปเดตข้อมูลจากที่ใดก็ได้โดยใช้การอ้างอิงตัวแปร มีวิธีใดในการทำเช่นเดียวกันกับ Flow
คุณไม่สามารถปล่อยค่านอกโฟลว์ บล็อกรหัสภายในโฟลว์จะถูกดำเนินการเฉพาะเมื่อมีการสะสมใด ๆ แต่คุณสามารถแปลงโฟลว์เป็นข้อมูลสดได้โดยใช้ส่วนขยาย asLiveData จาก LiveData
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"
}
}