Search code examples
sqliteflutterdartsqflite

Flutter: Where to place sqflite code inside my application?


I want to use sqflite in my app. To do this, I'm trying to follow this tutorial: https://flutter.dev/docs/cookbook/persistence/sqlite. However, I don't know where to place the code inside my application. In the tutorial, the code seems to be placed at the main() function - but, if I do that, how can I call the insert, update and delete methods at other files?

Update:

As suggested by @Madhavam Shahi, I created a file databaseServices.dart. Now, at the other file, I'm importing databaseServices.dart and trying to use it as below:

import 'databaseServices.dart';
DataBaseServices db=DataBaseServices();
db.delete() //example

However, it is not working. I think the databaseServices.dart is not structured the right way, but I can't spot the error. I know I must be making a very newbie mistake. Here is the code for the databaseServices.dart:

import 'dart:async';
import 'package:path/path.dart';
import 'package:sqflite/sqflite.dart';
import 'counter.dart';

class DatabaseServices {
  
  void whatever() async {
    // Open the database and store the reference.
    final Future<Database> database = openDatabase(
      // Set the path to the database.
      join(await getDatabasesPath(), 'counter_database.db'),
      // When the database is first created, create a table to store counters;
      onCreate: (db, version) {
        // Run the CREATE TABLE statement on the database.
        return db.execute(
          "CREATE TABLE counters(id INTEGER PRIMARY KEY, name TEXT, value INTEGER)",
        );
      },
      // Set the version. This executes the onCreate function and provides a
      // path to perform database upgrades and downgrades.
      version: 1,
    );

    // Define a function that inserts counters into the database.
    Future<void> insertCounter(Counter counter) async {
      // Get a reference to the database.
      final Database db = await database;
      // Insert the Counter into the correct table. Here, if a counter is inserted twice,
      // it replace any previous data.
      await db.insert(
        'counters',
        counter.toMap(),
        conflictAlgorithm: ConflictAlgorithm.replace,
      );
    }

    // A method that retrieves all the counters from the counters table.
    Future<List<Counter>> counters() async {
      // Get a reference to the database.
      final Database db = await database;
      // Query the table for all the Counters.
      final List<Map<String, dynamic>> maps = await db.query('counters');
      // Counvert the List<Map<String, dynamic>> into a List<Counter>
      return List.generate(maps.length, (i) {
        return Counter(
          id: maps[i]['id'],
          name: maps[i]['name'],
          value: maps[i]['value'],
        );
      });
    }

    // Method to update a Counter in the database
    Future<void> updateCounter(Counter counter) async {
      final db = await database;
      await db.update(
        'counters',
        counter.toMap(),
        where: "id = ?",
        whereArgs: [counter.id],
      );
    }

    //Delete a Counter from the database
    Future<void> deleteCounter(int id) async {
      final db = await database;
      await db.delete(
        'counters',
        where: "id = ?",
        whereArgs: [id],
      );
    }
  }
}


Solution

  • No, it doesn't matter wherever you create the database.

    You can create a file databaseServices.dart which manages the database service. It'll be easy for you to manage your code then.

    In the cookbook, they are just showing an example, how you can use sqlflite.

    But, however you should place this line WidgetsFlutterBinding.ensureInitialized(); in your main() method before anything, IF you are doing an asynchronous task in the main() method.

    Update:

    To perform CRUD in other files,

    1. import your databaseServices.dart file that file, in which you want to perform the CRUD.
    import 'databaseServices.dart';
    
    DataBaseServices db=DataBaseServices();// create an object (DataBaseServices is the name of the class)
    
    //Now, you can access all the methods,
    
    db.delete()//example
    

    Alternatively, if you don't want to create a class in the databaseServices.dart file, and want to keep every function a top level function, then you can do the following.

    import 'databaseServices.dart' as db;
    
    //Now, you can access all the top level functions or variables.
    
    db.delete()//example.
    

    Update 2:-

    To make database accessible to every function,

    1. move Future database outside the whatever () method, and place it just below the class name. (Making it global so that every function can access it), notice i removed the "final" keyword, because we are going to initialise it later, in the whatever method. Now, in the whatever method do what you were, but instead of final Future database = //yoir code, do this, database =//your code.. by doing this, you will be initialising the database variable, and as database variable is a global variable(declared outside any function, inside a class), any function can access it. But you have to keep in mind that, database has to be initialised before you call any other method which requires database, because if you will not call whatever () method before any other function, then the database won't be initialised, and hence your other functions won't work.

    Example,

    import 'dart:async';
    import 'package:path/path.dart';
    import 'package:sqflite/sqflite.dart';
    import 'counter.dart';
    
    class DatabaseServices {
      Future<Database> database;//making database global so that every function inside the class can access it.
      void whatever() async {
        // Open the database and store the reference.
        database = openDatabase(
          // Set the path to the database.
          join(await getDatabasesPath(), 'counter_database.db'),
          // When the database is first created, create a table to store counters;
          onCreate: (db, version) {
            // Run the CREATE TABLE statement on the database.
            return db.execute(
              "CREATE TABLE counters(id INTEGER PRIMARY KEY, name TEXT, value INTEGER)",
            );
          },
          // Set the version. This executes the onCreate function and provides a
          // path to perform database upgrades and downgrades.
          version: 1,
        );
    }//Function whatever () ends here
        // Define a function that inserts counters into the database.
        Future<void> insertCounter(Counter counter) async {
          // Get a reference to the database.
          final Database db = await database;
          // Insert the Counter into the correct table. Here, if a counter is inserted twice,
          // it replace any previous data.
          await db.insert(
            'counters',
            counter.toMap(),
            conflictAlgorithm: ConflictAlgorithm.replace,
          );
        }
    
        // A method that retrieves all the counters from the counters table.
        Future<List<Counter>> counters() async {
          // Get a reference to the database.
          final Database db = await database;
          // Query the table for all the Counters.
          final List<Map<String, dynamic>> maps = await db.query('counters');
          // Counvert the List<Map<String, dynamic>> into a List<Counter>
          return List.generate(maps.length, (i) {
            return Counter(
              id: maps[i]['id'],
              name: maps[i]['name'],
              value: maps[i]['value'],
            );
          });
        }
    
        // Method to update a Counter in the database
        Future<void> updateCounter(Counter counter) async {
          final db = await database;
          await db.update(
            'counters',
            counter.toMap(),
            where: "id = ?",
            whereArgs: [counter.id],
          );
        }
    
        //Delete a Counter from the database
        Future<void> deleteCounter(int id) async {
          final db = await database;
          await db.delete(
            'counters',
            where: "id = ?",
            whereArgs: [id],
          );
        }
      }
    
    
    

    Now, since there are no nested functions, you can easily create an object of the class, and call the functions as you need easily :)