Click here to Skip to main content
15,868,016 members
Articles / Database Development / SQL Server

Using ADO.NET programmatically with C#

Rate me:
Please Sign up or sign in to vote.
2.86/5 (32 votes)
15 Dec 2005CPOL4 min read 168.1K   3.9K   39   19
An article on using ADO.NET programmatically.

Sample image

Introduction

In this article, I will explain the basic concepts of MS ADO.NET and how to involve use it programmatically.

Background

It is well known that Visual Studio .NET supports developers with many wizards. One of them is the Data Form Wizard. If you want to create forms involving single and master detail databases, this tool will give you many detailed and interesting opportunities while creating your form. But when you are developing real-world applications, generally, you have to face altering these standard methods to match your target application requirements. Therefore, you need to write some code to make your application flexible. Here is an example of using ADO.NET fully programmatically with C#.

Using the Code

The program uses a simple SQL database named 'Library' and a table named 'Books' in it. We have a few ways to create this database. After receiving a request, I decided to write some code to create the necessary database programmatically. I added a menu item Settings->Create Database to create the database.

C#
public void CreateDatabase()
{
    string sCreateDatabase="CREATE DATABASE Library";            
    string sCreateTable="CREATE TABLE Books (BookID INTEGER PRIMARY KEY IDENTITY,"+
        "Title CHAR(50) NOT NULL , Author CHAR(50), " + 
        "PageCount INTEGER,Topic CHAR(30),Code CHAR(15))" ; 
    string sInsertFirstRow="INSERT INTO BOOKS (TITLE,AUTHOR,PAGECOUNT,TOPIC,CODE)" 
        +"VALUES('Test Book','Test Author', 100, 'Test Topic', 'Test Code');";
    
    SqlConnection mycon=new SqlConnection();
    mycon.ConnectionString="workstation id=;initial catalog=; integrated security=SSPI";

    SqlCommand mycomm=new SqlCommand();
    mycomm.CommandType=CommandType.Text;
    mycomm.CommandText=sCreateDatabase;
    mycomm.Connection=mycon;

    try
    {
        //    Open the connection
        mycon.Open();
        //    Execute CreateDatabase query
        mycomm.ExecuteNonQuery();
    }
    catch
    {
        //    Catch any errors and show the error message
        MessageBox.Show(" The database already exists. ");
    }    
    finally
    {
        mycon.Close();
    }
        
    mycon.ConnectionString=
      "workstation id=;initial catalog=Library; integrated security=SSPI";
    try
    {
        //    Open the connection
        mycon.Open();
        //    Execute CreateTable query
        mycomm.CommandText=sCreateTable;
        mycomm.ExecuteNonQuery();
        //    Execute InsertFirstRow query
        mycomm.CommandText=sInsertFirstRow;
        mycomm.ExecuteNonQuery();
    }
    catch
    {
        //    Catch any errors and show the error message
        MessageBox.Show(" There is already a table named 'Books' in the database. ");
    }
    finally
    {
        mycon.Close();
    }
}

We can also do this via MS Visual Studio .NET or MS SQL Server Manager. Let us create a Books table in the Library database. Here are the table columns:

Column NameData TypeLengthAllow nulls
BookIDint4
Titlechar50
Authorchar50V
PageCountint4V
Topicchar30V
Codechar15V

First of all, to move data between a data store and our application, we must have a connection to the data store. We will use a Connection object from ADO.NET to create and manage the connection. Because our data source is SQL Server, we use SqlConnection.

C#
SqlConnection mycon=new SqlConnection();

To determine the settings, we must use the ConnectionString property.

C#
mycon.ConnectionString="workstation id=;initial catalog=LIBRARY; integrated security=SSPI";

DataSet is a memory-resident representation of data, and can include table(s), constraint(s), and relationship(s).

C#
DataSet myds=new DataSet();

A DataAdapter is used to retrieve data from a data source and populate within a DataSet and to resolve changes made to the DataSet back to the data source. We can also say simply, interaction with data source(s) and dataset(s) is controlled through the DataAdapter.

C#
SqlDataAdapter myadap=new SqlDataAdapter();

A DataTable is used for representing a single table of memory-resident data. In our project, as we have only one table in our database, we must create a table as a presentation of the table in our database and add it to our DataSet object.

C#
DataTable mytable=new DataTable("books");
myds.Tables.Add(mytable);

A Command object is used to access data directly in the database in a connected environment. CommandType is declared as Text. CommandText is a SQL statement.

C#
mycomm SqlCommand =new SqlCommand();
mycomm.CommandType=CommandType.Text;
mycomm.CommandText="SELECT TITLE,AUTHOR,PAGECOUNT,TOPIC,CODE FROM BOOKS";

To be able to declare and use these ADO.NET objects, we must include the System.Data and System.Data.SqlClient namespaces in our application.

C#
using System.Data;
using System.Data.SqlClient;

Indeed we have two options. We can manipulate data through the DataAdapter object using the Fill and Update methods. We use the Fill method for loading and searching data in our application because of its simplicity. As a second option, we can use SqlConnection and SqlCommand to access our data directly. It is faster than the first. This method is used to insert, delete, and modify functions with the ExecuteNonQuery method of the Command object. We can create a class and put all the necessary code and make some necessary items public to reach them from everywhere in our namespace.

C#
public class dataManipulationClass
{
    public SqlConnection mycon;
    public DataSet myds;
    public DataTable mytable;
    public SqlDataAdapter myadap;
    public SqlCommand mycomm;        

    public bool ManupulateData()
    {
        mycon=new SqlConnection();
        mycon.ConnectionString="workstation id=;initial catalog=LIBRARY;
            integrated security=SSPI";
                    
        myds=new DataSet();
        mytable=new DataTable("books");
        myds.Tables.Add(mytable);
        myadap=new SqlDataAdapter();

        mycomm=new SqlCommand();
        mycomm.CommandType=CommandType.Text;
        mycomm.CommandText="SELECT TITLE,AUTHOR,PAGECOUNT,TOPIC,CODE FROM BOOKS";
        mycomm.Connection=mycon;
        myadap.SelectCommand=mycomm;

        return true;
    }
}

To use this class in the FormMain class, we must declare it.

C#
dataManipulationClass cDataMan=new dataManipulationClass();

To load data, we have a simple LoadData function:

C#
public void LoadData()
{
    //    Call method to initialize the parameters of dataManipulationClass object
    cDataMan.ManupulateData();
    //    Bound dataGrid to dataset 
    dataGrid.DataSource=cDataMan.myds;
    //    Set DataMember to books table
    dataGrid.DataMember="books";        
    try
    {
        //    Get data from table and fill the table in the dataset via dataadapter
        cDataMan.myadap.Fill(cDataMan.mytable);
    }
    catch(Exception xcp)
    {
        //    Catch any errors and show the error message
        MessageBox.Show(xcp.ToString());
    }
    finally
    {
        //    Close the connection
        cDataMan.mycon.Close();
    }
}

The DeleteData and ModifyData functions are very similar to AddData except for their connection string. The connection string is for the DeleteData function:

C#
cDataMan.mycomm.CommandText="DELETE FROM BOOKS WHERE BOOKID=@BookID";

A SqlParameter is added to the string for BookID.

C#
cDataMan.mycomm.Parameters.Add(new SqlParameter("@BookID",sBookID));

The connection string is for the ModifyData function:

C#
cDataMan.mycomm.CommandText="SELECT TITLE,AUTHOR,PAGECOUNT,"
    +"TOPIC,CODE FROM BOOKS WHERE TITLE=@Title";

A SqlParameter is then added to the string.

C#
cDataMan.mycomm.Parameters.Add(new SqlParameter("@Title",sTitle));

Conclusion

I think this code can be used for generating code and an application without design-time data object replacements and wizard-free application development which generates sometimes unclear code. The code is simple, but of course, should be improved to overcome your real-time problems. I know that there are a lot of things to do with my code. I am planning to improve my code in the future and expect your help.

History

  • 14 Dec. 2005: Created paramaterized SQL queries. Added database creation feature to create the necessary database for this article. Fixed the Delete and Modify functions to invoke exact selection on the DataGrid.
  • 03 Dec. 2005: Initial revision.

Sources

License

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


Written By
Software Developer (Senior)
Turkey Turkey
Started writing code in 1988. There were GW Basic, Turbo Pascal, Turbo C under DOS.
While studentship there were Assembly, C++, digital electronics, microprocessors..in the scene as new things. Then next versions, next generations like Visual Basic, Delphi, C++ Builder, next platforms like Windows, Win32, Linux. Last years many projects took place using various tech and under various platforms. New technologies and IDEs like Delphi 2005, Visual Studio 2003, 2005, C#, ASP.NET, ADO.NET, Metodologies and Tools like UML, Starteam..

Comments and Discussions

 
QuestionHOW TO: SQL & C# Pin
Shahriar Nour Khondokar2-Jun-10 2:48
Shahriar Nour Khondokar2-Jun-10 2:48 

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.