ルーム データベースが変更されたときに RecyclerView を更新しようとしています。ただし、データベースへの変更が発生した場合、MainActivity で定義されたオブザーバーの onChanged メソッドは呼び出されません。DAO が List<> の代わりに LiveData を返すようにし、ViewModel で LiveData を使用すると、意図したとおりに動作します。ただし、実行時にクエリをデータベースに変更したいので、 MutableLiveData が必要です。
私のセットアップ:
MainActivity.java
BorrowedListViewModel viewModel = ViewModelProviders.of(this).get(BorrowedListViewModel.class);
viewModel.getItemAndPersonList().observe(MainActivity.this, new Observer<List<BorrowModel>>() {
@Override
public void onChanged(@Nullable List<BorrowModel> itemAndPeople) {
recyclerViewAdapter.addItems(itemAndPeople);
}
});
BorrowedListViewModel.java
public class BorrowedListViewModel extends AndroidViewModel {
private final MutableLiveData<List<BorrowModel>> itemAndPersonList;
private AppDatabase appDatabase;
public BorrowedListViewModel(Application application) {
super(application);
appDatabase = AppDatabase.getDatabase(this.getApplication());
itemAndPersonList = new MutableLiveData<>();
itemAndPersonList.setValue(appDatabase.itemAndPersonModel().getAllBorrowedItems());
}
public MutableLiveData<List<BorrowModel>> getItemAndPersonList() {
return itemAndPersonList;
}
//These two methods should trigger the onChanged method
public void deleteItem(BorrowModel bm) {
appDatabase.itemAndPersonModel().deleteBorrow(bm);
}
public void addItem(BorrowModel bm){
appDatabase.itemAndPersonModel().addBorrow(bm);
}
}
BorrowModelDao.java
public interface BorrowModelDao {
@Query("select * from BorrowModel")
//Using LiveData<List<BorrowModel>> here solves the problem
List<BorrowModel> getAllBorrowedItems();
@Query("select * from BorrowModel where id = :id")
BorrowModel getItembyId(String id);
@Insert(onConflict = REPLACE)
void addBorrow(BorrowModel borrowModel);
@Delete
void deleteBorrow(BorrowModel borrowModel);
}
AppDatabase.java
public abstract class AppDatabase extends RoomDatabase {
private static AppDatabase INSTANCE;
public static AppDatabase getDatabase(Context context) {
if (INSTANCE == null) {
INSTANCE =
Room.databaseBuilder(context.getApplicationContext(), AppDatabase.class, "borrow_db")
.allowMainThreadQueries()
.build();
}
return INSTANCE;
}
public static void destroyInstance() {
INSTANCE = null;
}
public abstract BorrowModelDao itemAndPersonModel();
}