溫馨提示×

Android中如何使用SQLite數(shù)據(jù)庫

小億
87
2024-04-03 13:41:11
欄目: 云計算

在Android中使用SQLite數(shù)據(jù)庫需要進(jìn)行以下步驟:

  1. 創(chuàng)建一個繼承自SQLiteOpenHelper的幫助類來管理數(shù)據(jù)庫的創(chuàng)建和版本更新:
public class DBHelper extends SQLiteOpenHelper {
    private static final String DATABASE_NAME = "mydatabase.db";
    private static final int DATABASE_VERSION = 1;

    public DBHelper(Context context) {
        super(context, DATABASE_NAME, null, DATABASE_VERSION);
    }

    @Override
    public void onCreate(SQLiteDatabase db) {
        String createTableQuery = "CREATE TABLE mytable (id INTEGER PRIMARY KEY, name TEXT)";
        db.execSQL(createTableQuery);
    }

    @Override
    public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
        // 如果數(shù)據(jù)庫版本更新,可以在此處執(zhí)行相應(yīng)的操作
    }
}
  1. 在需要使用數(shù)據(jù)庫的地方實例化DBHelper類,并獲取ReadableDatabase或WritableDatabase對象:
DBHelper dbHelper = new DBHelper(context);
SQLiteDatabase db = dbHelper.getWritableDatabase();
  1. 執(zhí)行SQL語句來操作數(shù)據(jù)庫,例如插入、查詢、更新、刪除等操作:
ContentValues values = new ContentValues();
values.put("name", "John");
long id = db.insert("mytable", null, values);

Cursor cursor = db.query("mytable", null, null, null, null, null, null);
if (cursor.moveToFirst()) {
    do {
        String name = cursor.getString(cursor.getColumnIndex("name"));
        // do something with the data
    } while (cursor.moveToNext());
}
cursor.close();

// 更新數(shù)據(jù)
ContentValues updateValues = new ContentValues();
updateValues.put("name", "Jane");
db.update("mytable", updateValues, "id=?", new String[]{"1"});

// 刪除數(shù)據(jù)
db.delete("mytable", "id=?", new String[]{"1"});
  1. 關(guān)閉數(shù)據(jù)庫連接:
db.close();

以上就是在Android中使用SQLite數(shù)據(jù)庫的基本步驟,可以根據(jù)具體需求來擴(kuò)展和優(yōu)化代碼。

0