2

重複の可能性:
Androidエラー-close()がデータベースで明示的に呼び出されたことはありません

Androidアプリに問題があります。

次のコードのメソッドを持つシングルトンを実装しています。

public Cursor getFooCursor(Context context)
{
    StorageDBOpenHelper helper = new StorageDBOpenHelper(context);
    SQLiteDatabase db = helper.getReadableDatabase();

    Cursor c = db.query("Foo", new String[] {"_id", "Titel"}, null, null, null, null, "Test DESC");

    return c;
}

これを使用すると、エラーが発生することがあります。SQLiteDatabase: close() was never explicitly called on database

これを回避する方法は?問題は、それが空であるため、私は単にdb.close()私のために前を作ることができないということです。return c

4

2 に答える 2

2

クライアントはデータベースを開き、このメソッドを使用してカーソルをフェッチし、終了したらカーソルとデータベースの両方を閉じる必要があります。ここではシングルトンを使用しないことをお勧めします。代わりに、次のようなことを行います。

public class FooDB
{
    private SQLiteDatabase db = null;

    private void open() throws SQLiteException
    {
        if (db != null)
        {
            throw new SQLiteException("Database already opened");
        }

        // Create our open helper
        StorageDBOpenHelper helper = new StorageDBOpenHelper(context);
        try
        {
            // Try to actually get the database objects
            db = m_openHelper.getWritableDatabase();
        }
        catch (Exception e)
        {
            e.printStackTrace();
        }

        if (db == null)
        {
            throw new SQLiteException("Failed to open database");
        }
    }

    private void close() throws SQLiteException
    {
        if (db != null)
        {
            db.close();
            db = null;
        }        
    }

    public Cursor getFooCursor(Context context)
    {
        if(db == null)
            throw new SQLiteException("Database not open");    

        Cursor c = db.query("Foo", new String[] {"_id", "Titel"}, null, null, null, null, "Test DESC");

        return c;
    }
}
于 2012-10-24T13:57:07.177 に答える
2

私が使用するアプローチは、:のインスタンスをクラスに渡すことですdbcursor

StorageDBOpenHelper helper = new StorageDBOpenHelper(context);
SQLiteDatabase db = helper.getReadableDatabase();

public Cursor getFooCursor(Context context, SQLiteDatabase db ) {
      Cursor c = db.query("Foo", new String[] {"_id", "Titel"}, null, null, null,
 null, "Test DESC");
      return c;
 }

db.close();
于 2012-10-24T13:57:17.093 に答える