我在整个应用程序中使用单个 sqlite 数据库。因此,为了方便起见,我想将与数据库的连接包装在单例中。起初我以为我可以为此保留对 SQLiteDatabase 的引用:
MySQLiteOpenHelper helper = new MySQLiteOpenHelper(appContext); // local
myGlobalSQLiteDatabase = helper.getWritableDatabase(); // global
...
void someFunction() {
try {
myGlobalSQLiteDatabase.insertOrThrow(...);
} catch (Exception ex) {
}
}
但这会导致错误,例如:
(1802) os_unix.c:30011: (2) stat(/data/data/com.me.test/databases/test.db) -
(1802) statement aborts at 16: [INSERT INTO mytable(f1,f2) VALUES (?,?)]
android.database.sqlite.SQLiteDiskIOException: disk I/O error (code 1802)
at android.database.sqlite.SQLiteConnection.nativeExecuteForLastInsertedRowId(Native Method)
at android.database.sqlite.SQLiteConnection.executeForLastInsertedRowId(SQLiteConnection.java:775)
...
(这一切都在主线程上完成,一个单一的测试)。
我的第二次尝试是只保留对助手的全局引用:
myGlobalSQLiteOpenHelper helper = new MySQLiteOpenHelper(appContext); // global
...
void someFunction() {
SQLiteDatabase db = myGlobalSQLiteOpenHelper.getWritableDatabase();
try {
db.insertOrThrow(...);
} catch (Exception ex) {
} finally {
db.close();
}
}
那行得通。我必须在每次调用 someFunction() 时调用 getWritableDatabase() 和 close()。
我不知道 getWritableDatabase() 和 close() 有多少开销,我最初希望实现最快的实现,因为我将重复调用 someFunction() 以响应用户输入。第二种方法是此设置的最佳选择吗?
谢谢