房间数据库SQLite - 更新的阈值是什么?试图在一个循环中执行100次更新

0 人关注

我基本上有100条记录需要一次性更新。SQLite对每秒钟能更新多少行有一个阈值吗?如果是500行会怎么样?

我正在使用一个for循环,调用我的Room Repo类来进行更新。

for(Map.Entry<Integer, String> entry : itemsToUpdate.entrySet()) {
            int id = entry.getKey();
            String itemName = entry.getValue();
            viewModel.updateMenuItem(id, itemName);
public Single<Integer> updateMenuItem(int menuItemId, String menuItemName){
        return Single.fromCallable(() -> menuItemDao.updateMenuItem(menuItemId, menuItemName));
@Query("UPDATE menu_table SET itemName = :itemName WHERE id = :id")
    int updateMenuItem(int id, String itemName);

如果其中一个更新失败,我将如何处理这种情况?

1 个评论
Room supports 交易
android
sqlite
android-sqlite
android-room
DIRTY DAVE
DIRTY DAVE
发布于 2021-05-18
1 个回答
MikeT
MikeT
发布于 2021-05-18
已采纳
0 人赞同

SQLite对每秒可更新的数量是否有一个阈值?

我不相信有一个固定的门槛,而是可以进行的数量将取决于可用的资源。

相反,可能成为瓶颈的是在循环时没有在事务中这样做。事务是一个工作单位,然后被写入磁盘(瓶颈)。单个SQL语句默认就是一个事务。因此,一个由500条语句组成的循环将产生500次磁盘写入(昂贵)。

将500条语句包含在一个事务中,会大大减少磁盘活动,我相信这正是你想利用的。

  • Beware of the @Transaction annotation this only places the statement being executed in a Transaction (and any underlying statements built such as when a query access @Relation's).
  • 对于你的情况,需要在启动循环之前开始一个交易,然后在循环完成后结束交易。

    因此,你会想要一些类似的东西。

    your_RoomDatase.beginTransaction();
    for(Map.Entry<Integer, String> entry : itemsToUpdate.entrySet()) {
                int id = entry.getKey();
                String itemName = entry.getValue();
                counter = counter + viewModel.updateMenuItem(id, itemName);
    your_RoomDatabase.setTransactionSuccessful(); //<<<<<<<<<<< IF YOU WANT (see below)
    your_RoomDatabase.endTransaction();
    

    如果其中一个更新失败,我将如何处理这种情况?

    这取决于你所说的失败是什么意思。如果一个ID不存在,就SQlite而言,这并不构成失败,只是没有更新,更新后返回的int为0。

    然而,如果该值是一个外键,并且该值不存在,并且onConflict策略不是IGNORE,那么一个外键冲突(异常)将是结果。

    Exceptions should be rare. So assuming that by fail you mean not update AND you didn't want to ignore the update not working. Then you could count the number of times > 0 was returned (should be 1 per update if done by id). If this doesn't match the number attempted then you may wish to not set the transaction as successful then the transaction will be rolled back i.e. NO UPDATES AT ALL WILL BE APPLIED.

  • Of course you could handle other desired outcomes between the extremes but then you'd probably want to maintain a an array/list of which id's worked or didn't work.
  •