1
0
mirror of https://gitlab.com/comunic/comunicmobile synced 2024-10-23 06:53:23 +00:00
comunicmobile/lib/helpers/database/model_database_helper.dart

87 lines
2.5 KiB
Dart
Raw Normal View History

2019-04-24 11:56:56 +00:00
import 'package:comunic/helpers/database/database_contract.dart';
import 'package:comunic/helpers/database/database_helper.dart';
import 'package:comunic/models/cache_model.dart';
/// Model database helper
///
/// Base model for caching data in the database
///
/// @author Pierre HUBERT
abstract class ModelDatabaseHelper<T extends CacheModel> {
/// Get the name of the target table. Must be specified by the children
/// of this class
String tableName();
/// Initialize an element from a map
T initializeFromMap(Map<String, dynamic> map);
/// Insert an entry in the database
Future<void> _insertDB(T el) async {
await (await DatabaseHelper.get()).insert(tableName(), el.toMap());
2019-04-24 11:56:56 +00:00
}
/// Update an element in the database
Future<void> _updateDB(T el) async {
await (await DatabaseHelper.get()).update(
tableName(),
el.toMap(),
where: "${BaseTableContract.C_ID} = ?",
whereArgs: [el.id],
);
}
/// Get an element from the database with a specified [id]
///
/// Returns null if none found
Future<T> get(int id) async {
List<Map> maps = await (await DatabaseHelper.get()).query(
tableName(),
where: '${BaseTableContract.C_ID} = ?',
2019-04-24 11:56:56 +00:00
whereArgs: [id],
);
if (maps.length > 0) return initializeFromMap(maps[0]);
return null;
}
/// Get all the entries from the table
Future<List<T>> getAll() async {
List<Map> maps = await(await DatabaseHelper.get()).query(tableName());
return maps.map((f) => initializeFromMap(f)).toList();
}
/// Empty the table
Future<void> clearTable() async {
await (await DatabaseHelper.get()).execute("DELETE FROM ${tableName()}");
}
2019-04-24 11:56:56 +00:00
/// Check out whether an element specified with its [id] is present
/// or not in the local database
Future<bool> has(int id) async {
return (await get(id)) != null;
}
/// Insert or update information about a el (depends of the presence
/// of previous element information in the database
Future<void> insertOrUpdate(T el) async {
if (await has(el.id))
await _updateDB(el);
else
await _insertDB(el);
}
/// Insert or update an important amount of elements
Future<void> insertOrUpdateAll(List<T> list) async {
for (int i = 0; i < list.length; i++) await insertOrUpdate(list[i]);
2019-04-24 11:56:56 +00:00
}
/// Insert an important amount of elements
///
/// This might throw if there are conflicting IDs
Future<void> insertAll(List<T> list) async {
for (T el in list) await _insertDB(el);
}
}