What are the best practices for SQLite on Android? What are the best practices for SQLite on Android? sqlite sqlite

What are the best practices for SQLite on Android?


Inserts, updates, deletes and reads are generally OK from multiple threads, but Brad's answer is not correct. You have to be careful with how you create your connections and use them. There are situations where your update calls will fail, even if your database doesn't get corrupted.

The basic answer.

The SqliteOpenHelper object holds on to one database connection. It appears to offer you a read and write connection, but it really doesn't. Call the read-only, and you'll get the write database connection regardless.

So, one helper instance, one db connection. Even if you use it from multiple threads, one connection at a time. The SqliteDatabase object uses java locks to keep access serialized. So, if 100 threads have one db instance, calls to the actual on-disk database are serialized.

So, one helper, one db connection, which is serialized in java code. One thread, 1000 threads, if you use one helper instance shared between them, all of your db access code is serial. And life is good (ish).

If you try to write to the database from actual distinct connections at the same time, one will fail. It will not wait till the first is done and then write. It will simply not write your change. Worse, if you don’t call the right version of insert/update on the SQLiteDatabase, you won’t get an exception. You’ll just get a message in your LogCat, and that will be it.

So, multiple threads? Use one helper. Period. If you KNOW only one thread will be writing, you MAY be able to use multiple connections, and your reads will be faster, but buyer beware. I haven't tested that much.

Here's a blog post with far more detail and an example app.

Gray and I are actually wrapping up an ORM tool, based off of his Ormlite, that works natively with Android database implementations, and follows the safe creation/calling structure I describe in the blog post. That should be out very soon. Take a look.


In the meantime, there is a follow up blog post:

Also checkout the fork by 2point0 of the previously mentioned locking example:


Concurrent Database Access

Same article on my blog(I like formatting more)

I wrote small article which describe how to make access to your android database thread safe.


Assuming you have your own SQLiteOpenHelper.

public class DatabaseHelper extends SQLiteOpenHelper { ... }

Now you want to write data to database in separate threads.

 // Thread 1 Context context = getApplicationContext(); DatabaseHelper helper = new DatabaseHelper(context); SQLiteDatabase database = helper.getWritableDatabase(); database.insert(…); database.close(); // Thread 2 Context context = getApplicationContext(); DatabaseHelper helper = new DatabaseHelper(context); SQLiteDatabase database = helper.getWritableDatabase(); database.insert(…); database.close();

You will get following message in your logcat and one of your changes will not be written.

android.database.sqlite.SQLiteDatabaseLockedException: database is locked (code 5)

This is happening because every time you create new SQLiteOpenHelper object you are actually making new database connection. If you try to write to the database from actual distinct connections at the same time, one will fail. (from answer above)

To use database with multiple threads we need to make sure we are using one database connection.

Let’s make singleton class Database Manager which will hold and return single SQLiteOpenHelper object.

public class DatabaseManager {    private static DatabaseManager instance;    private static SQLiteOpenHelper mDatabaseHelper;    public static synchronized void initializeInstance(SQLiteOpenHelper helper) {        if (instance == null) {            instance = new DatabaseManager();            mDatabaseHelper = helper;        }    }    public static synchronized DatabaseManager getInstance() {        if (instance == null) {            throw new IllegalStateException(DatabaseManager.class.getSimpleName() +                    " is not initialized, call initialize(..) method first.");        }        return instance;    }    public SQLiteDatabase getDatabase() {        return new mDatabaseHelper.getWritableDatabase();    }}

Updated code which write data to database in separate threads will look like this.

 // In your application class DatabaseManager.initializeInstance(new MySQLiteOpenHelper()); // Thread 1 DatabaseManager manager = DatabaseManager.getInstance(); SQLiteDatabase database = manager.getDatabase() database.insert(…); database.close(); // Thread 2 DatabaseManager manager = DatabaseManager.getInstance(); SQLiteDatabase database = manager.getDatabase() database.insert(…); database.close();

This will bring you another crash.

java.lang.IllegalStateException: attempt to re-open an already-closed object: SQLiteDatabase

Since we are using only one database connection, method getDatabase() return same instance of SQLiteDatabase object for Thread1 and Thread2. What is happening, Thread1 may close database, while Thread2 is still using it. That’s why we have IllegalStateException crash.

We need to make sure no-one is using database and only then close it. Some folks on stackoveflow recommended to never close your SQLiteDatabase. This will result in following logcat message.

Leak foundCaused by: java.lang.IllegalStateException: SQLiteDatabase created and never closed

Working sample

public class DatabaseManager {    private int mOpenCounter;    private static DatabaseManager instance;    private static SQLiteOpenHelper mDatabaseHelper;    private SQLiteDatabase mDatabase;    public static synchronized void initializeInstance(SQLiteOpenHelper helper) {        if (instance == null) {            instance = new DatabaseManager();            mDatabaseHelper = helper;        }    }    public static synchronized DatabaseManager getInstance() {        if (instance == null) {            throw new IllegalStateException(DatabaseManager.class.getSimpleName() +                    " is not initialized, call initializeInstance(..) method first.");        }        return instance;    }    public synchronized SQLiteDatabase openDatabase() {        mOpenCounter++;        if(mOpenCounter == 1) {            // Opening new database            mDatabase = mDatabaseHelper.getWritableDatabase();        }        return mDatabase;    }    public synchronized void closeDatabase() {        mOpenCounter--;        if(mOpenCounter == 0) {            // Closing database            mDatabase.close();        }    }}

Use it as follows.

SQLiteDatabase database = DatabaseManager.getInstance().openDatabase();database.insert(...);// database.close(); Don't close it directly!DatabaseManager.getInstance().closeDatabase(); // correct way

Every time you need database you should call openDatabase() method of DatabaseManager class. Inside this method, we have a counter, which indicate how many times database is opened. If it equals to one, it means we need to create new database connection, if not, database connection is already created.

The same happens in closeDatabase() method. Every time we call this method, counter is decreased, whenever it goes to zero, we are closing database connection.


Now you should be able to use your database and be sure it's thread safe.


  • Use a Thread or AsyncTask for long-running operations (50ms+). Test your app to see where that is. Most operations (probably) don't require a thread, because most operations (probably) only involve a few rows. Use a thread for bulk operations.
  • Share one SQLiteDatabase instance for each DB on disk between threads and implement a counting system to keep track of open connections.

Are there any best practices for these scenarios?

Share a static field between all your classes. I used to keep a singleton around for that and other things that need to be shared. A counting scheme (generally using AtomicInteger) also should be used to make sure you never close the database early or leave it open.

My solution:

The old version I wrote is available at https://github.com/Taeluf/dev/tree/main/archived/databasemanager and is not maintained. If you want to understand my solution, look at the code and read my notes. My notes are usually pretty helpful.

  1. copy/paste the code into a new file named DatabaseManager. (or download it from github)
  2. extend DatabaseManager and implement onCreate and onUpgrade like you normally would. You can create multiple subclasses of the one DatabaseManager class in order to have different databases on disk.
  3. Instantiate your subclass and call getDb() to use the SQLiteDatabase class.
  4. Call close() for each subclass you instantiated

The code to copy/paste:

import android.content.Context;import android.database.sqlite.SQLiteDatabase;import java.util.concurrent.ConcurrentHashMap;/** Extend this class and use it as an SQLiteOpenHelper class * * DO NOT distribute, sell, or present this code as your own.  * for any distributing/selling, or whatever, see the info at the link below * * Distribution, attribution, legal stuff, * See https://github.com/JakarCo/databasemanager *  * If you ever need help with this code, contact me at support@androidsqlitelibrary.com (or support@jakar.co ) *  * Do not sell this. but use it as much as you want. There are no implied or express warranties with this code.  * * This is a simple database manager class which makes threading/synchronization super easy. * * Extend this class and use it like an SQLiteOpenHelper, but use it as follows: *  Instantiate this class once in each thread that uses the database.  *  Make sure to call {@link #close()} on every opened instance of this class *  If it is closed, then call {@link #open()} before using again. *  * Call {@link #getDb()} to get an instance of the underlying SQLiteDatabse class (which is synchronized) * * I also implement this system (well, it's very similar) in my <a href="http://androidslitelibrary.com">Android SQLite Libray</a> at http://androidslitelibrary.com *  * */abstract public class DatabaseManager {        /**See SQLiteOpenHelper documentation    */    abstract public void onCreate(SQLiteDatabase db);    /**See SQLiteOpenHelper documentation     */    abstract public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion);    /**Optional.     * *     */    public void onOpen(SQLiteDatabase db){}    /**Optional.     *      */    public void onDowngrade(SQLiteDatabase db, int oldVersion, int newVersion) {}    /**Optional     *      */    public void onConfigure(SQLiteDatabase db){}    /** The SQLiteOpenHelper class is not actually used by your application.     *     */    static private class DBSQLiteOpenHelper extends SQLiteOpenHelper {        DatabaseManager databaseManager;        private AtomicInteger counter = new AtomicInteger(0);        public DBSQLiteOpenHelper(Context context, String name, int version, DatabaseManager databaseManager) {            super(context, name, null, version);            this.databaseManager = databaseManager;        }        public void addConnection(){            counter.incrementAndGet();        }        public void removeConnection(){            counter.decrementAndGet();        }        public int getCounter() {            return counter.get();        }        @Override        public void onCreate(SQLiteDatabase db) {            databaseManager.onCreate(db);        }        @Override        public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {            databaseManager.onUpgrade(db, oldVersion, newVersion);        }        @Override        public void onOpen(SQLiteDatabase db) {            databaseManager.onOpen(db);        }        @Override        public void onDowngrade(SQLiteDatabase db, int oldVersion, int newVersion) {            databaseManager.onDowngrade(db, oldVersion, newVersion);        }        @Override        public void onConfigure(SQLiteDatabase db) {            databaseManager.onConfigure(db);        }    }    private static final ConcurrentHashMap<String,DBSQLiteOpenHelper> dbMap = new ConcurrentHashMap<String, DBSQLiteOpenHelper>();    private static final Object lockObject = new Object();    private DBSQLiteOpenHelper sqLiteOpenHelper;    private SQLiteDatabase db;    private Context context;    /** Instantiate a new DB Helper.      * <br> SQLiteOpenHelpers are statically cached so they (and their internally cached SQLiteDatabases) will be reused for concurrency     *     * @param context Any {@link android.content.Context} belonging to your package.     * @param name The database name. This may be anything you like. Adding a file extension is not required and any file extension you would like to use is fine.     * @param version the database version.     */    public DatabaseManager(Context context, String name, int version) {        String dbPath = context.getApplicationContext().getDatabasePath(name).getAbsolutePath();        synchronized (lockObject) {            sqLiteOpenHelper = dbMap.get(dbPath);            if (sqLiteOpenHelper==null) {                sqLiteOpenHelper = new DBSQLiteOpenHelper(context, name, version, this);                dbMap.put(dbPath,sqLiteOpenHelper);            }            //SQLiteOpenHelper class caches the SQLiteDatabase, so this will be the same SQLiteDatabase object every time            db = sqLiteOpenHelper.getWritableDatabase();        }        this.context = context.getApplicationContext();    }    /**Get the writable SQLiteDatabase     */    public SQLiteDatabase getDb(){        return db;    }    /** Check if the underlying SQLiteDatabase is open     *     * @return whether the DB is open or not     */    public boolean isOpen(){        return (db!=null&&db.isOpen());    }    /** Lowers the DB counter by 1 for any {@link DatabaseManager}s referencing the same DB on disk     *  <br />If the new counter is 0, then the database will be closed.     *  <br /><br />This needs to be called before application exit.     * <br />If the counter is 0, then the underlying SQLiteDatabase is <b>null</b> until another DatabaseManager is instantiated or you call {@link #open()}     *     * @return true if the underlying {@link android.database.sqlite.SQLiteDatabase} is closed (counter is 0), and false otherwise (counter > 0)     */    public boolean close(){        sqLiteOpenHelper.removeConnection();        if (sqLiteOpenHelper.getCounter()==0){            synchronized (lockObject){                if (db.inTransaction())db.endTransaction();                if (db.isOpen())db.close();                db = null;            }            return true;        }        return false;    }    /** Increments the internal db counter by one and opens the db if needed    *    */    public void open(){        sqLiteOpenHelper.addConnection();        if (db==null||!db.isOpen()){                synchronized (lockObject){                    db = sqLiteOpenHelper.getWritableDatabase();                }        }     }}