会议视图模型
fun observeAttendeesJoined(): LiveData<Array<AttendeeInfo>>? {
return Repository.getAttendeesJoined()
}
有一个使用 kotlin 的对象声明的单例存储库。存储库有一个 BaseActivity 正在观察的实时数据。
存储库
fun getAttendeesJoined(): LiveData<Array<AttendeeInfo>>? {
if (attendeesJoined == null) {
attendeesJoined = MutableLiveData()
}
return attendeesJoined
}
基本活动
private fun observeAttendeesJoined() {
meetingViewModel.observeAttendeesJoined()?.observe(this) {
Timber.d(" :$LOG_APP_NAME: BaseActivity: :setObservers: onAttendeesJoined: $it")
lifecycleScope.launchWhenResumed {
onAttendeesJoined(it)
}
}
}
前台服务会更改相应可变实时数据的值。BaseActivity 收到更新,我们正在显示小吃栏。现在,当我们更改活动时,即使它不是由前台服务触发,也会再次触发相同的结果。
例如,如果我们在activity A (that extends the BaseActivity)
并且前台服务将新参加者总数的值更改为 5,我们将在 5 个用户已加入会议中activity A
显示它。用户在activity A
. 一段时间后,当用户移动到 时activity B (that is also extending BaseActivity)
,前台服务没有任何响应,activity B
接收到的最新更新与活动 A 收到的相同,因此,活动 B 还显示 5 个用户已加入会议的小吃栏,这种模式将持续所有的活动。
会议视图模型
fun onAttendeesJoined(attendeeInfo: Array<AttendeeInfo>) {
Timber.d(" :$LOG_APP_NAME: MeetingViewModel: :onAttendeesJoined: :size: ${attendeeInfo.size}")
attendeeInfo.forEach {
Timber.d(" :$LOG_APP_NAME: MeetingViewModel: :onAttendeesJoined: $attendeeInfo")
}
Repository.setAttendeesJoined(attendeeInfo)
}
服务
override fun onAttendeesJoined(attendeeInfo: Array<AttendeeInfo>) {
attendeeInfo.forEach {
Timber.d(" :$LOG_APP_NAME: ChimeService: :onAttendeesJoined: :id: ${it.attendeeId} :externalId: ${it.externalUserId} :attendeeInfo: $it :responseSize: ${attendeeInfo.size}")
}
meetingViewModel.onAttendeesJoined(attendeeInfo)
}
每当前台服务更改相应的可变实时数据时,新活动(在我们的示例中为活动 B)应仅在新数据 (5) 发生更改时才获得更新,因为meetingViewModel.observeAttendeesJoined()
仅返回新数据。
如何在活动中接收独特的更新?
每个活动的实例MeetingViewModel
都不同,但存储库数据是单例(kotlin 的对象声明),不是吗?
我试图理解Transformations.map
,switchMap
但不知道如何使用它来解决问题。
谢谢你的期待。