显然,Room无法处理MutableLiveData,我们必须坚持使用LiveData,因为它会返回以下错误:

error: Not sure how to convert a Cursor to this method's return type

我通过这种方式在数据库帮助器中创建了一个“自定义” MutableLiveData:
class ProfileRepository @Inject internal constructor(private val profileDao: ProfileDao): ProfileRepo{

    override fun insertProfile(profile: Profile){
        profileDao.insertProfile(profile)
    }

    val mutableLiveData by lazy { MutableProfileLiveData() }
    override fun loadMutableProfileLiveData(): MutableLiveData<Profile> = mutableLiveData

    inner class MutableProfileLiveData: MutableLiveData<Profile>(){

        override fun postValue(value: Profile?) {
            value?.let { insertProfile(it) }
            super.postValue(value)
        }

        override fun setValue(value: Profile?) {
            value?.let { insertProfile(it) }
            super.setValue(value)
        }

        override fun getValue(): Profile? {
            return profileDao.loadProfileLiveData().getValue()
        }
    }
}

这样,我可以从数据库获取更新,并且可以保存Profile对象,但是无法修改属性。

例如:mutableLiveData.value = Profile()将起作用。mutableLiveData.value.userName = "name"会调用getValue()而不是postValue(),因此无法正常工作。

有人找到解决方案了吗?

最佳答案

叫我疯了,但是AFAIK没有理由为从DAO收到的对象使用MutableLiveData。

想法是您可以通过LiveData<List<T>>公开对象

@Dao
public interface ProfileDao {
    @Query("SELECT * FROM PROFILE")
    LiveData<List<Profile>> getProfiles();
}

现在您可以观察到它们:
profilesLiveData.observe(this, (profiles) -> {
    if(profiles == null) return;

    // you now have access to profiles, can even save them to the side and stuff
    this.profiles = profiles;
});

因此,如果要使此实时数据“发出新数据并对其进行修改”,则需要将概要文件插入数据库中。写入将重新评估此查询,并且将新的配置文件值写入db后将发出该查询。
dao.insert(profile); // this will make LiveData emit again

因此,没有理由使用getValue/setValue,只需写入您的数据库即可。

关于android - 将LiveData转换为MutableLiveData,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/50943919/

10-10 20:03