这是我的问题。
我使用的MVVMRepository设计模式是这样的。
Activity -(Observes)-> ViewModel的LiveData -> Repository -> WebService API (GET Resource)
我有另一个电话 更新 资源 到WebService。
问题:在服务器上更改资源后,我如何能使其成为WebService。
当服务器上的资源发生变化后,我如何才能使 资源 livedata用新的服务器数据更新自己
我想强制它再次从服务器上获取数据,因为一些其他数据可能已经被改变了,我不想使用本地数据库(Room)并改变它,因为我的服务器数据可能会被改变。
我唯一的解决办法是为它创建一个Livedata Source(作为dataVersion),并在每次更新后像这样(伪代码)增加它。
dataVersion = new MutableLiveData();
dataVersion.setValue(0);
// my repository get method hasnt anything to do with the dataVersion.
myData = Transformation.switchmap(dataVersion, versionNum -> { WebServiceRepo.getList() });
DataVersion应该如何在ViewModel中得到更新。
你可以扩展 MutableLiveData
来赋予它手动取物的功能。
public class RefreshLiveData<T> extends MutableLiveData<T> {
public interface RefreshAction<T> {
private interface Callback<T> {
void onDataLoaded(T t);
}
void loadData(Callback<T> callback);
}
private final RefreshAction<T> refreshAction;
private final Callback<T> callback = new RefreshAction.Callback<T>() {
@Override
public void onDataLoaded(T t) {
postValue(t);
}
};
public RefreshLiveData(RefreshAction<T> refreshAction) {
this.refreshAction = refreshAction;
}
public final void refresh() {
refreshAction.loadData(callback);
}
}
然后你可以做
public class YourViewModel extends ViewModel {
private RefreshLiveData<List<Project>> refreshLiveData;
private final GithubRepository githubRepository;
private final SavedStateHandle savedStateHandle;
public YourViewModel(GithubRepository githubRepository, SavedStateHandle savedStateHandle) {
this.githubRepository = githubRepository;
this.savedStateHandle = savedStateHandle;
refreshLiveData = Transformations.switchMap(savedStateHandle.getLiveData("userId", ""), (userId) -> {
githubRepository.getProjectList(userId);
});
}
public void refreshData() {
refreshLiveData.refresh();
}
public LiveData<List<Project>> getProjects() {
return refreshLiveData;
}
}
然后仓库可以做。
public RefreshLiveData<List<Project>> getProjectList(String userId) {
final RefreshLiveData<List<Project>> liveData = new RefreshLiveData<>((callback) -> {
githubService.getProjectList(userId).enqueue(new Callback<List<Project>>() {
@Override
public void onResponse(Call<List<Project>> call, Response<List<Project>> response) {
callback.onDataLoaded(response.body());
}
@Override
public void onFailure(Call<List<Project>> call, Throwable t) {
}
});
});
return liveData;
}