Android Persistent Storage 是指在 Android 設備上永久存儲數據的能力。這可以通過多種方式實現,包括使用 SharedPreferences、文件存儲(Internal Storage 和 External Storage)以及數據庫(如 SQLite 數據庫)。下面是一些實現 Android Persistent Storage 的常見方法:
SharedPreferences 是一個輕量級的存儲機制,適用于存儲少量的鍵值對數據。
// 獲取 SharedPreferences 實例
SharedPreferences sharedPreferences = getSharedPreferences("app_preferences", MODE_PRIVATE);
// 存儲數據
SharedPreferences.Editor editor = sharedPreferences.edit();
editor.putString("key", "value");
editor.apply();
// 讀取數據
String value = sharedPreferences.getString("key", "default_value");
Internal Storage 是設備內部的存儲空間,適用于存儲應用程序的私有文件。
// 獲取 Internal Storage 的路徑
File internalStorageDir = getFilesDir();
// 創建文件
File file = new File(internalStorageDir, "example.txt");
try {
FileOutputStream fos = new FileOutputStream(file);
fos.write("Hello, World!".getBytes());
fos.close();
} catch (IOException e) {
e.printStackTrace();
}
// 讀取文件
FileInputStream fis = new FileInputStream(file);
byte[] buffer = new byte[(int) file.length()];
fis.read(buffer);
fis.close();
String content = new String(buffer, StandardCharsets.UTF_8);
External Storage 是設備外部的存儲空間,適用于存儲應用程序的公共文件。
// 檢查外部存儲是否可用
if (Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) {
// 獲取 External Storage 的路徑
File externalStorageDir = Environment.getExternalStorageDirectory();
// 創建文件
File file = new File(externalStorageDir, "example.txt");
try {
FileOutputStream fos = new FileOutputStream(file);
fos.write("Hello, World!".getBytes());
fos.close();
} catch (IOException e) {
e.printStackTrace();
}
// 讀取文件
FileInputStream fis = new FileInputStream(file);
byte[] buffer = new byte[(int) file.length()];
fis.read(buffer);
fis.close();
String content = new String(buffer, StandardCharsets.UTF_8);
}
SQLite 是一個輕量級的數據庫引擎,適用于存儲結構化數據。
// 創建 SQLiteOpenHelper 實例
SQLiteOpenHelper dbHelper = new SQLiteOpenHelper(this, "example_db", null, 1) {
@Override
public void onCreate(SQLiteDatabase db) {
db.execSQL("CREATE TABLE example_table (id INTEGER PRIMARY KEY AUTOINCREMENT, name TEXT)");
}
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
db.execSQL("DROP TABLE IF EXISTS example_table");
onCreate(db);
}
};
// 獲取 SQLiteDatabase 實例
SQLiteDatabase db = dbHelper.getWritableDatabase();
// 插入數據
ContentValues contentValues = new ContentValues();
contentValues.put("name", "John Doe");
db.insert("example_table", null, contentValues);
// 查詢數據
Cursor cursor = db.query("example_table", new String[]{"name"}, null, null, null, null, null);
while (cursor.moveToNext()) {
String name = cursor.getString(0);
Log.d("Example", "Name: " + name);
}
// 關閉數據庫
cursor.close();
db.close();
dbHelper.close();
通過這些方法,你可以在 Android 設備上實現數據的持久化存儲。選擇哪種方法取決于你的具體需求,例如數據類型、存儲空間和訪問頻率等。