Как сохранить только новое значение в таблице данных sqflite в (Flutter) - PullRequest
0 голосов
/ 21 июня 2020

Я сохранил список вызовов моего телефона в таблице данных. Я хочу сохранить в этой таблице данных только новые данные списка вызовов. Это означает, что будут сохранены только новые данные, а существующие данные будут пропущены. Подскажите пожалуйста на примере. Вот мой код:

это помощник базы данных database_helper.dart

import 'dart:io';
import 'package:path/path.dart';
import 'package:sqflite/sqflite.dart';
import 'package:path_provider/path_provider.dart';

class DatabaseHelper {
  static final _databaseName = "MyDatabase.db";
  static final _databaseVersion = 1;

  static final table = 'my_table';

  static final columnId = '_id';
  static final columnName = 'name';
  static final columnNumber = 'number';
  static final columnType = 'type';
  static final columnDate = 'date';
  static final columnDuration = 'duration';

  // make this a singleton class
  DatabaseHelper._privateConstructor();
  static final DatabaseHelper instance = DatabaseHelper._privateConstructor();

  // only have a single app-wide reference to the database
  static Database _database;
  Future<Database> get database async {
    if (_database != null) return _database;
    // lazily instantiate the db the first time it is accessed
    _database = await _initDatabase();
    return _database;
  }

  // this opens the database (and creates it if it doesn't exist)
  _initDatabase() async {
    Directory documentsDirectory = await getExternalStorageDirectory();
    String path = join(documentsDirectory.path, _databaseName);
    await deleteDatabase(path);
    return await openDatabase(path,
        version: _databaseVersion, onCreate: _onCreate);
  }

  // SQL code to create the database table
  Future _onCreate(Database db, int version) async {
    await db.execute('''
          CREATE TABLE $table (
            $columnId INTEGER PRIMARY KEY,
            $columnName TEXT,
            $columnNumber INTEGER,
            $columnType TEXT,
            $columnDate DATETIME,
            $columnDuration INTEGER
          )
          ''');
  }

  // Helper methods

  // Inserts a row in the database where each key in the Map is a column name
  // and the value is the column value. The return value is the id of the
  // inserted row.
  Future<int> insert(Map<String, dynamic> row, {ConflictAlgorithm conflictAlgorithm = ConflictAlgorithm.replace}) async {
    Database db = await instance.database;
    return await db.insert(table, row, conflictAlgorithm: conflictAlgorithm);
  }

  // All of the rows are returned as a list of maps, where each map is
  // a key-value list of columns.
  Future<List<Map<String, dynamic>>> queryAllRows() async {
    Database db = await instance.database;
    return await db.query(table);
  }

  // All of the methods (insert, query, update, delete) can also be done using
  // raw SQL commands. This method uses a raw query to give the row count.
  Future<int> queryRowCount() async {
    Database db = await instance.database;
    return Sqflite.firstIntValue(
        await db.rawQuery('SELECT COUNT(*) FROM $table'));
  }
  
  // We are assuming here that the id column in the map is set. The other
  // column values will be used to update the row.
  Future<int> update(Map<String, dynamic> row) async {
    Database db = await instance.database;
    int id = row[columnId];
    return await db.update(table, row, where: '$columnId = ?', whereArgs: [id]);
  }

  // Deletes the row specified by the id. The number of affected rows is
  // returned. This should be 1 as long as the row exists.
  Future<int> delete(int id) async {
    Database db = await instance.database;
    return await db.delete(table, where: '$columnId = ?', whereArgs: [id]);
  }
}

Это главный файл. Я добавил сюда только метод вставки базы данных. home.dart

...
Future callLogDB() async {
    Iterable<CallLogEntry> cLog = await CallLog.get();
    final dbHelper = DatabaseHelper.instance;

    cLog.forEach((log) async {
      // row to insert
      Map<String, dynamic> row = {
        DatabaseHelper.columnName: '${log.name}',
        DatabaseHelper.columnNumber: '${log.number}',
        DatabaseHelper.columnType: '${log.callType}',
        DatabaseHelper.columnDate:
            '${DateTime.fromMillisecondsSinceEpoch(log.timestamp)}',
        DatabaseHelper.columnDuration: '${log.duration}'
      };
      await dbHelper.insert(row, conflictAlgorithm: ConflictAlgorithm.replace);
      print('CallLog:: $row');
    });
    return cLog;
  }
...

В чем проблема с моим кодом?

1 Ответ

1 голос
/ 22 июня 2020

есть несколько способов сделать это, и тот, который я предложу, не самый лучший и не самый приятный, но надеюсь, что они помогут

1) Просто запишите все ваши данные в таблицу

Вы можете просто вставить все свои данные в таблицу, установив ConflictAlgorithm на заменить или игнорировать

db.insert(table, data, conflictAlgorithm: ConflictAlgorithm.replace);

Это заменит / проигнорирует те же записи

2) Запрос, сравнение, замена

Это менее элегантное решение, вы можете сначала запросить все свои данные из таблицы

db.query(table, columns: availableColumns, where: 'columnToQueryBy = ?', whereArgs: [neededValue]);

Затем сравнить с данными, которые у вас есть

Затем напишите, используя db.insert(), как указано выше

Я думаю, что в вашем случае первый вариант подходит лучше, этот пример в значительной степени охватывает большинство вещей, которые могут вам помочь

Надеюсь, это поможет!

...