Click here to Skip to main content
15,885,244 members
Articles / Mobile Apps / Android

A Simple Android SQLite Example

Rate me:
Please Sign up or sign in to vote.
4.81/5 (94 votes)
6 Jun 2014CPOL3 min read 711.2K   71.2K   80   115
This is a simple demonstration of using SQLite database in Android.

Image 1

Image 2

Introduction

In this article, I have attempted to demonstrate the use of SQLite database in Android in the simplest manner possible. Most of the articles and demos which I have seen on the net were not very simple for a layman to understand. Also most of the examples assume a deep knowledge of Android and SQL. This article assumes that the user has a working knowledge of Android and basic SQL commands. The example application shows how to perform basic DML and query operations on an SQLite table in Android.

Background

The example application which I have created is a simple Student Management System, which allows a user to add, delete, modify and view student details. The application accepts a student's roll number, name and marks and adds these details to a student table. For simplicity, I have created all fields of VARCHAR data type, which is a variable length character string.

Using the Code

The SQLiteDatabase class from the android.database.sqlite package and the Cursor class from the android.database package provide all the functionality required for performing Data Manipulation Language (DML) and query operations on an SQLite table.

The following code shows how to create an SQLite database and a table in the database.

Java
db=openOrCreateDatabase("StudentDB", Context.MODE_PRIVATE, null);
db.execSQL("CREATE TABLE IF NOT EXISTS student(rollno VARCHAR,name VARCHAR,marks VARCHAR);");

In the above code, the openOrCreateDatabase() function is used to open the StudentDB database if it exists or create a new one if it does not exist. The first parameter of this function specifies the name of the database to be opened or created. The second parameter, Context.MODE_PRIVATE indicates that the database file can only be accessed by the calling application or all applications sharing the same user ID. The third parameter is a Cursor factory object which can be left null if not required.

The db.execSQL() function executes any SQL command. Here it is used to create the student table if it does not already exist in the database.

Following is the full code of the onCreate() method of the main activity.

Java
public void onCreate(Bundle savedInstanceState)
{
    <code>super.onCreate(savedInstanceState);
    setContentView(R.layout.main);

// Initializing controls

    editRollno=(EditText)findViewById(R.id.editRollno);
    editName=(EditText)findViewById(R.id.editName);
    editMarks=(EditText)findViewById(R.id.editMarks);
    btnAdd=(Button)findViewById(R.id.btnAdd);
    btnDelete=(Button)findViewById(R.id.btnDelete);
    btnModify=(Button)findViewById(R.id.btnModify);
    btnView=(Button)findViewById(R.id.btnView);
    btnViewAll=(Button)findViewById(R.id.btnViewAll);
    btnShowInfo=(Button)findViewById(R.id.btnShowInfo);

// Registering event handlers

    btnAdd.setOnClickListener(this);
    btnDelete.setOnClickListener(this);
    btnModify.setOnClickListener(this);
    btnView.setOnClickListener(this);
    btnViewAll.setOnClickListener(this);
    btnShowInfo.setOnClickListener(this);

// Creating database and table

    db=openOrCreateDatabase("StudentDB", Context.MODE_PRIVATE, null);
db.execSQL("CREATE TABLE IF NOT EXISTS student(rollno VARCHAR,name VARCHAR,marks VARCHAR);");
}

In the onClick() event handler, we can write the code required to add, delete, modify and view records.

The following code uses the db.execSQL() function to insert a student record in the student table.

Java
db.execSQL("INSERT INTO student VALUES('"+editRollno.getText()+"','"+
editName.getText()+"','"+editMarks.getText()+"');");

The above code generates an INSERT statement by appending the contents of the editable fields into a string and executes the INSERT statement.

In the same way, the DELETE command can be executed as follows:

Java
db.execSQL("DELETE FROM student WHERE rollno='"+editRollno.getText()+"'");

The above code deletes the record of the student whose roll number is entered in the editable field.

The UPDATE command can be executed as follows:

Java
db.execSQL("UPDATE student SET name='"+editName.getText()+"',marks='"+
editMarks.getText()+"' WHERE rollno='"+editRollno.getText()+"'");

The above code updates the record of the student whose roll number is entered in the editable field.

To view a student record, we execute a query using the rawQuery() method of the SQLiteDatabase class as follows:

Java
Cursor c=db.rawQuery("SELECT * FROM student WHERE rollno='"+editRollno.getText()+"'", null);
if(c.moveToFirst())
{
    editName.setText(c.getString(1));
    editMarks.setText(c.getString(2));
}

The above code uses the rawQuery() method of the SQLiteDatabase class to execute the SELECT statement to select the record of the student, whose roll number is specified. It then checks if the record is found using the moveToFirst() method of the Cursor class and displays the name and marks in the respective editable fields.

To view all records, the following code can be used:

Java
Cursor c=db.rawQuery("SELECT * FROM student", null);
if(c.getCount()==0)
{
    showMessage("Error", "No records found");
    return;
}
StringBuffer buffer=new StringBuffer();
while(c.moveToNext())
{
    buffer.append("Rollno: "+c.getString(0)+"\n");
    buffer.append("Name: "+c.getString(1)+"\n");
    buffer.append("Marks: "+c.getString(2)+"\n\n");
}
showMessage("Student Details", buffer.toString());

The above code executes the SELECT command to retrieve records of all students and appends them into a string buffer. Finally, it displays the student details using the user-defined showMessage() function.

Following is the full code of the onClick() event handler:

Java
public void onClick(View view)
{
// Adding a record
    if(view==btnAdd)
    {
    // Checking empty fields
        if(editRollno.getText().toString().trim().length()==0||
           editName.getText().toString().trim().length()==0||
           editMarks.getText().toString().trim().length()==0)
        {
            showMessage("Error", "Please enter all values");
            return;
        }
    // Inserting record
        db.execSQL("INSERT INTO student VALUES('"+editRollno.getText()+"','"+editName.getText()+
                   "','"+editMarks.getText()+"');");
        showMessage("Success", "Record added");
        clearText();
    }
// Deleting a record
    if(view==btnDelete)
    {
    // Checking empty roll number
        if(editRollno.getText().toString().trim().length()==0)
        {
            showMessage("Error", "Please enter Rollno");
            return;
        }
    // Searching roll number
        Cursor c=db.rawQuery("SELECT * FROM student WHERE rollno='"+editRollno.getText()+"'", null);
        if(c.moveToFirst())
        {
        // Deleting record if found
            db.execSQL("DELETE FROM student WHERE rollno='"+editRollno.getText()+"'");
            showMessage("Success", "Record Deleted");
        }
        else
        {
            showMessage("Error", "Invalid Rollno");
        }
        clearText();
    }
// Modifying a record
    if(view==btnModify)
    {
    // Checking empty roll number
        if(editRollno.getText().toString().trim().length()==0)
        {
            showMessage("Error", "Please enter Rollno");
            return;
        }
    // Searching roll number
        Cursor c=db.rawQuery("SELECT * FROM student WHERE rollno='"+editRollno.getText()+"'", null);
        if(c.moveToFirst())
        {
        // Modifying record if found
            db.execSQL("UPDATE student SET name='"+editName.getText()+"',marks='"+editMarks.getText()+
                    "' WHERE rollno='"+editRollno.getText()+"'");
            showMessage("Success", "Record Modified");
        }
        else
        {
            showMessage("Error", "Invalid Rollno");
        }
        clearText();
    }
// Viewing a record
    if(view==btnView)
    {
    // Checking empty roll number
        if(editRollno.getText().toString().trim().length()==0)
        {
            showMessage("Error", "Please enter Rollno");
            return;
        }
    // Searching roll number
        Cursor c=db.rawQuery("SELECT * FROM student WHERE rollno='"+editRollno.getText()+"'", null);
        if(c.moveToFirst())
        {
        // Displaying record if found
            editName.setText(c.getString(1));
            editMarks.setText(c.getString(2));
        }
        else
        {
            showMessage("Error", "Invalid Rollno");
            clearText();
        }
    }
// Viewing all records
    if(view==btnViewAll)
    {
    // Retrieving all records
        Cursor c=db.rawQuery("SELECT * FROM student", null);
    // Checking if no records found
        if(c.getCount()==0)
        {
            showMessage("Error", "No records found");
            return;
        }
    // Appending records to a string buffer
        StringBuffer buffer=new StringBuffer();
        while(c.moveToNext())
        {
            buffer.append("Rollno: "+c.getString(0)+"\n");
            buffer.append("Name: "+c.getString(1)+"\n");
            buffer.append("Marks: "+c.getString(2)+"\n\n");
        }
    // Displaying all records
        showMessage("Student Details", buffer.toString());
    }
// Displaying info
    if(view==btnShowInfo)
    {
    showMessage("Student Management Application", "Developed By Azim");
    }
}

The following user-defined function is used to display message to the user:

Java
public void showMessage(String title,String message)
{
    Builder builder=new Builder(this);
    builder.setCancelable(true);
    builder.setTitle(title);
    builder.setMessage(message);
    builder.show();
}

The following user-defined function is used to clear edit fields:

Java
public void clearText()
{
    editRollno.setText("");
    editName.setText("");
    editMarks.setText("");
    editRollno.requestFocus();
}

Points of Interest

I hope that this article will be helpful to people new to the Android platform to understand developing database applications for Android before starting to write more complex applications.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Instructor / Trainer NIIT, India
India India
I am a trainer by profession. Currently I am working with iFuture Technologies(India) as a Senior Faculty. I enjoy programming as a hobby. During my career I have seen the growth and decline of many technologies, many of them being my favorites like Flash, WPF, Windows Mobile Development. Few of my current favorites are Android, Xamarin and Python, though I also like traditional and evergreen languages like PHP, C#, Visual Basic and Java.

Apart from computers, my favorite pastime is bicycling.

Comments and Discussions

 
Questionregarding this code Pin
Member 1105053918-Dec-14 23:47
Member 1105053918-Dec-14 23:47 
QuestionGetting single entry into listview from sqlite database Pin
aboosidhu6-Dec-14 2:22
aboosidhu6-Dec-14 2:22 
Questioncual es la librería que usaste para la conexión bd? Pin
Member 1125762023-Nov-14 9:48
Member 1125762023-Nov-14 9:48 
QuestionWhere is database in real device? Pin
Aldemaran22-Nov-14 4:18
Aldemaran22-Nov-14 4:18 
AnswerRe: Where is database in real device? Pin
Azim Zahir24-Nov-14 21:57
Azim Zahir24-Nov-14 21:57 
QuestionAwesome Article Pin
Harjesh21-Nov-14 18:03
Harjesh21-Nov-14 18:03 
GeneralReally Useful Pin
Member 1124927419-Nov-14 22:53
Member 1124927419-Nov-14 22:53 
QuestionPlease support Pin
caodungviet17-Nov-14 5:30
caodungviet17-Nov-14 5:30 
i got three erorrs like below. could you fix help me??.sorry bother you because i am beginner :
1>
The project was not built since its build path is incomplete. Cannot find the class file for java.lang.String. Fix the build path then try building this project StudentDetails Unknown Java Problem
2>
The type java.lang.String cannot be resolved. It is indirectly referenced from required .class files MyApp.java /StudentDetails/src/com/azim line 1 Java Problem
3>
Unable to resolve target 'android-10' StudentDetails Unknown Android Target Problem
Questionerrors? Pin
Member 111906015-Nov-14 22:29
Member 111906015-Nov-14 22:29 
AnswerRe: errors? Pin
Azim Zahir7-Nov-14 22:19
Azim Zahir7-Nov-14 22:19 
QuestionDefault values from Another 'Constant' class Pin
Member 108361293-Nov-14 22:39
Member 108361293-Nov-14 22:39 
AnswerRe: Default values from Another 'Constant' class Pin
Azim Zahir7-Nov-14 23:06
Azim Zahir7-Nov-14 23:06 
GeneralRe: Default values from Another 'Constant' class Pin
Member 1083612910-Nov-14 18:26
Member 1083612910-Nov-14 18:26 
GeneralComment Pin
Member 1056797031-Oct-14 9:27
Member 1056797031-Oct-14 9:27 
GeneralRe: Comment Pin
Azim Zahir31-Oct-14 18:06
Azim Zahir31-Oct-14 18:06 
Questionhelp please Pin
Yumi Morita21-Oct-14 0:15
Yumi Morita21-Oct-14 0:15 
AnswerRe: help please Pin
Azim Zahir24-Oct-14 18:12
Azim Zahir24-Oct-14 18:12 
Questionthanks Pin
Member 1111722313-Oct-14 9:17
Member 1111722313-Oct-14 9:17 
AnswerRe: thanks Pin
Azim Zahir18-Oct-14 19:02
Azim Zahir18-Oct-14 19:02 
QuestionSQLite Data's Does not show on real device Pin
androsathish10-Oct-14 0:44
professionalandrosathish10-Oct-14 0:44 
AnswerRe: SQLite Data's Does not show on real device Pin
Azim Zahir11-Oct-14 6:49
Azim Zahir11-Oct-14 6:49 
QuestionThank Pin
Member 1112068230-Sep-14 21:50
Member 1112068230-Sep-14 21:50 
QuestionThanks so much Pin
Şefik Temel27-Sep-14 5:13
Şefik Temel27-Sep-14 5:13 
QuestionThanks Pin
Member 110620645-Sep-14 8:50
Member 110620645-Sep-14 8:50 
QuestionAnswer. Pin
Gyanesh Gouraw25-Aug-14 3:26
Gyanesh Gouraw25-Aug-14 3:26 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.