Home Search Contact us About us
Title Simple ADO Database Read, Insert, Update and Delete using C#.
Summary An easy introduction to accessing databases using the ADO classes. It includes how to read and write integers, strings and dates.
Contributor John McTainsh
Published 31-May-2001
Last updated 20-Jul-2001
Page rating   86% for 33 votes Useless Brilliant
  Download demo project - 13 Kb
 Download source - 3 Kb

Introduction

Accessing databases is a common part of most applications and with the introduction of C# and ADO.NET, has become quite simple. This article will demonstrate the four most basic database operations. 

  • Reading data. This includes various data types such as integers, strings and dates.
  • Writing data. As with reading we will write these common types. This will be done using a SQL statement.
  • Updating or modifying data. Again we will use a simple SQL statement.
  • Deleting data. Using SQL.

These operations will be performed against a Microsoft Access 2000 database, however SQL or other ADO data sources could be used by simply changing the connection string. 

Getting started

To use the OleDb classes we need to include the ADO.NET namespace and a few handy date classes. Add the following line of code to the file where you want to perform the database operation. It should appear below the namespace line and above the class definition.

    using System.Data;                      // State variables
    using System.Data.OleDb;                // Database
    using System.Globalization;             // Date

Depending on the type of project you are working with, you may need to add a reference to the System.Data namespace. You will know this if the compiler errors on the code you just added. To add the System.Data namespace;

  • Right click on the Solution explorer - References branch.
  • Select Add reference.
  • Select the .NET Framework tab.
  • Double click on the System.data.dll entry.
  • Select OK.
  • System.Data should now appear in the References list of the Solution explorer.

The connection string is used during most operations, so I would recommend you make it a member of the class you will be working in. Note: In your application the path to the database file would be something else.

    //Attributes
    public const string DB_CONN_STRING = 
            "Provider=Microsoft.Jet.OLEDB.4.0;"+
            "Data Source=D:\\CS\\TestDbReadWrite\\SimpleTest.mdb";

Reading data

Now things get interesting. Reading is done using the OleDbDataReader class. (See Chris Maunder's article The ADO.NET ADODataReader class for more info on this class. ) The steps to perform the read are;

  • We open the database with an OleDbConnection.
        OleDbConnection conn = new OleDbConnection(DB_CONN_STRING);
        conn.Open();  
  • We create a SQL statement to define the data to be retrieved. This command is executed to return an OleDbDataReader object. Note the out keyword in the Execute method. This is C# talk for pass by reference.
        OleDbDataReader dr;
        OleDbCommand cmd = new OleDbCommand( "SELECT * FROM Person", conn );
        dr = cmd.ExecuteReader();   
  • We loop through each record in the OleDbDataReader until we are done. Note: The data is returned directly as a string and the field name is used to indicate the field to read.
        while( dr.Read() )
        {
            Console.WriteLine( dr["FirstName"] );
        }  
  • We clean up.  

However, as good programmers we would have also wrapped the lot in a try/catch/finally to ensure we handled anything bad.

    try
    {
        .... the database operations ...
    }
    catch( Exception ex )
    {
        Console.WriteLine( "READING:" );
        Console.WriteLine( "  ERROR:" + ex.Message );
        Console.WriteLine( "  SQL  :" + sSqlCmd );
        Console.WriteLine( "  Conn.:" + DB_CONN_STRING );
    }
    finally
    {
        // Close the connection
        if( conn != null )
            conn.Close();
    }

Reading different data types

The dr["stuff"] is usually able to return a string of some sort. However to get an int or DateTime object it is often necessary to cast the data. This is usually done with a simple case or using one of OleDbDataReader's many build in conversions. ie

    int nOrdinalAge = dr.GetOrdinal( "Age" );
    int nAge = dr.GetInt32( nOrdinalAge );
    
    DateTime tUpdated = (DateTime)dr["Updated"];

Note the use of GetOrdinal to locate the field to read by name. If the field is blank (not been populated yet), the above code will throw an exception. To catch this condition we check if data exists with the IsDBNull method as follows.

    int nOrdinalAge = dr.GetOrdinal( "Age" );
    if( dr.IsDBNull( nOrdinalAge ) )
    {
        Console.WriteLine( " Age  : Not given!" );
    }
    else
    {
        int nAge = dr.GetInt32( nOrdinalAge );
        Console.WriteLine( " Age  : " + nAge );
    }

Insert, Modify, Delete and other SQL commands

Inserting, Modifying and Deleting can very simply be done using SQL statements. The following code performs a SQL command to insert a record.

    // SQL command
    string sSQLCommand = "INSERT INTO Person (Age, FirstName, Description, Updated)  " +
                         "VALUES( 55, 'Bob', 'Is a Penguin', '2001/12/25 20:30:15' );";
    // Create the command object
    OleDbCommand cmdAdder = new OleDbCommand( sCommand );
    cmdAdder.Connection = new OleDbConnection( DB_CONN_STRING );
    cmdAdder.Connection.Open();
   // Execute the SQL command
    int nNoAdded = cmdAdder.ExecuteNonQuery();
    System.Console.WriteLine( "\nRow(s) Added = " + nNoAdded + "\n" );

Note: The try/catch was not shown in the above example but should wrap the above code.

Inserting

The above code inserted a record by building a SQL command which was later executed. Some things to note in the formatting of the command are;

  • Numerical values are presented directly. No single quotes (').
  • Strings are presented wrapped in single quotes ('blah').
  • Be sure the strings do not include any embedded single or double quotes. This will upset things.
  • Date and times are presented wrapped in single quotes in international format ('YYYYY/MM/DD HH:MM:SS').

Modifying

The UPDATE command indicates the records to be modified and the modification to be made. The return value of the ExecuteNonQuery() indicates the number of records changes so this would return 5 if there were 5 Peter's in the table. 

   string sSQLCommand = "UPDATE Person SET Age = 27 WHERE FirstName = 'Peter'";

Deleting

The DELETE command indicates the records to be deleted. This could be several several records. The return value of the ExecuteNonQuery() indicates the number of records changes so this would return 2 if there were 2 Bobo in the table. Both Bobo's would be deleted.

   string sSQLCommand = "DELETE FROM Person WHERE FirstName = 'Bobo'";

About the sample code

The sample is a simple console application that perform each of the database operations on a provided Microsoft Access database. To build it, open the TestDbReadWrite.csproj file as a project in the Visual Studio.NET IDE. Change the DB_CONN_STRING variable in MainConsole.cs to point to the SimpleTest.mdb. Build it and away you go.

Conclusion

Now you should be able to perform the basic database operation in C#, get out there and cut some code. Take the time to learn SQL. Also read articles on the why and how this works.

Comments Date
Using ADO on .dbf files ? 27-Jun-2001 Davide Calabro`
I would like to operate on .DBF files using ADO. Is there any example on how to do this using Visual C++ ? Any help is welcome, thanks!
Changes for ßeta 2 16-Sep-2001 Ricky
Does this reflect the changes for ßeta 2 (as referenced from CodeProject?)
This DOES compile under Beta 2 12-Dec-2001 Dave
To answer the comment above, this code does reflect the changes for Beta 2. It has been updated from the code posted at CodeProject.
Thanks, I can start with this. 4-Feb-2002 Vicente Gras
Connection String 19-Feb-2002 Matt Duffield
If you put a `@` symbol in front of your connection string, then you will only need one backslash in our string.....i.e.:

public const string DB_CONN_STRING =
@`Provider=Microsoft.Jet.OLEDB.4.0;`+
`Data Source=D:\CS\TestDbReadWrite\SimpleTest.mdb`;
Specific Record 3-May-2002 Milko
Very useful article, thank you.
However, is it possible to read a specific record from the data base? Let say we need to read records (rows) No: 2051,2052 and 3001. What is the best way to do that?
Single Quote 30-Sep-2004 Chandrashekhar
If I want to insert a single quotation mark in the value how do I do that ? for example: I want to insert `Bob`s pet` in the database, How shud I do that ?
Question 5-Jun-2006 NightGhost
Can someone explain me please how I connect to a database on internet, I tried to change the path from `Data Source=D:\\CS\\TestDbReadWrite\\SimpleTest.mdb`; to `Data Source=http://theboulder.th.funpic.org/theboulder.mdb`;
but it doesnt work :S : unregonized database format :|
Im using phpmyadmin btw to edit the database :P
~Thanks for you time.
Home Search Contact us About us