7

我想将我从 Web 服务获得的 40000 条记录插入到我的 iPad 应用程序的 sqlite 数据库中。

我写了以下代码,但是大约需要 20 分钟,有没有更快的方法?

- (NSArray *)insertPriceSQLWithPrice:(Price *) price
{

SQLiteManager *dbInfo = [SQLiteManager sharedSQLiteManagerWithDataBaseName:@"codefuel_catalogo.sqlite"];


sqlite3 *database;

NSString *querySQL=[self formatStringQueryInsertWithTable:@"prices_list" andObject:price];


if(sqlite3_open([dbInfo.dataBasePath UTF8String], &database) == SQLITE_OK)
{
    sqlite3_stmt * compiledStatement;


    const char *query_stmt = [querySQL UTF8String];

    int result = sqlite3_prepare_v2(database, query_stmt, -1, &compiledStatement, NULL);

    if (result == SQLITE_OK)
    {
        int success = sqlite3_step(compiledStatement);

        NSLog(@"el numero de success es -> %i",success);
        if (success == SQLITE_ERROR)
            NSLog(@"Error al insertar en la base de datps");

    }
    else
        NSLog(@"Error %@ ERROR!!!!",querySQL);

    sqlite3_finalize(compiledStatement);
}

sqlite3_close(database);
return nil;
}
4

2 回答 2

23

为了加快插入速度,您需要做三件事:

  • 将调用sqlite3_open移到循环外。目前,没有显示循环,所以我假设它在您的代码片段之外
  • 添加BEGIN TRANSACTIONCOMMIT TRANSACTION调用 - 您需要在插入循环之前开始事务,并在循环结束后立即结束。
  • formatStringQueryInsertWithTable真正参数化- 目前看来您没有充分使用准备好的语句,因为尽管使用了sqlite3_prepare_v2但您的代码中没有调用 of sqlite3_bind_XYZ

这是一篇不错的帖子,向您展示了如何完成上述所有操作。它是普通的 C,但它可以作为 Objective C 程序的一部分正常工作。

char* errorMessage;
sqlite3_exec(mDb, "BEGIN TRANSACTION", NULL, NULL, &errorMessage);
char buffer[] = "INSERT INTO example VALUES (?1, ?2, ?3, ?4, ?5, ?6, ?7)";
sqlite3_stmt* stmt;
sqlite3_prepare_v2(mDb, buffer, strlen(buffer), &stmt, NULL);
for (unsigned i = 0; i < mVal; i++) {
    std::string id = getID();
    sqlite3_bind_text(stmt, 1, id.c_str(), id.size(), SQLITE_STATIC);
    sqlite3_bind_double(stmt, 2, getDouble());
    sqlite3_bind_double(stmt, 3, getDouble());
    sqlite3_bind_double(stmt, 4, getDouble());
    sqlite3_bind_int(stmt, 5, getInt());
    sqlite3_bind_int(stmt, 6, getInt());
    sqlite3_bind_int(stmt, 7, getInt());
    if (sqlite3_step(stmt) != SQLITE_DONE) {
        printf("Commit Failed!\n");
    }
    sqlite3_reset(stmt);
}
sqlite3_exec(mDb, "COMMIT TRANSACTION", NULL, NULL, &errorMessage);
sqlite3_finalize(stmt);
于 2013-01-31T17:34:15.587 回答
5

对我来说,调用 BEGIN TRANSACTION 然后加载大约 20 个插入,然后调用 COMMIT TRANSACTION 可以将性能提高 18 倍 - 很棒的提示!缓存准备好的语句几乎没有帮助。

于 2014-09-22T19:18:42.813 回答