Click here to Skip to main content
15,893,588 members
Articles / Programming Languages / C#

Sql Database Engine

Rate me:
Please Sign up or sign in to vote.
1.83/5 (3 votes)
8 Apr 2010CPOL3 min read 24.9K   376   12   6
Helper Class for .Sql Server Database Engine

Introduction

This time I am going to present article over SqlHelper, named Sql Database Engine. This provides methods for various data access operations over Sql Server. 

Using the code

Using code is quite easy. Download the dll attached with this article. Reference it in your project and start using it. This articles intended audience are beginners / intermediate level developers.   

In general what we do for accessing database result to our page is that we use to write lots data access code every time on same page, whenever required.Making your code messy and heavy for debugging or further modifications in future. This is what I did too in my early days. 

This Class helps you in eliminating such messy codes and making you code lightweight and easy to understand.  

Lets move with code given below:

NameSpace : I think every .Net Developer must be aware of this Name. These are as same as header files of C/C++ having definitions and declaration classes , methods , properties used here. One can create his own namespace.  

C#
using System;
using System.Collections.Generic;
using System.Text;
using System.Data.SqlClient;
using System.Data; 

Here AmitRanjan.DataAccessBlock.DBEngine is my namespace by which I can call my class and their methods in any application. I have my class SqlDataEngine as it contains only Sql Server specific data access methods.  This is a sealed class, as I dont want it to get inherited. Also made its constructor private so as to prevent creating its object using new keyword. 

C#
namespace AmitRanjan.DataAccessBlock.DBEngine
{
    public sealed class SqlDataEngine
    {
        private SqlDataEngine() { }

Global variable for holding Connectionstring from Configuration file and instance of SqlConnection class. Made private so as to prevent its access outside the SqlDataEngine Class.

C#
private static string connectionString = Common.ConnectionString;
private static SqlConnection connection;

EstablishConnection() : This methods checks for the current state of the SqlConnection instance, if its found open, it closes existing connection and reopens a new connection to interact with database. You have to call this method at the beginning of the Data Access Block. Something like this. Say I am trying to get Info about students and my method name is GetStudentDetails. So my method will be :

C#
private void GetStudentDetails(int StudentID)
{
    try
    {
        EstablishConnection();
        //Your Statements for Data Access
    }
    catch(Exception ex){// catch block statements}

}
I hope this will give a transparent picture of what EstablishConnection method is doing.

C#
/// <summary>
/// Establishes Connection with SqlServer Instance
/// </summary>
public static void EstablishConnection()
{
    try
    {
        connection = new SqlConnection(connectionString);
        if (connection.State == ConnectionState.Open)
        {
            connection.Close();
        }
        connection.Open();
    }
    catch
    {

        throw new DatabaseServerNotFoundException("Unable to connect with database server. Please contact your network administrator.");
    }

}

TerminateConnection : This is opposite of the EstablishConnection method. You can use it as cleanup code in finally block of your application. So that connection will get closed every time even if there is any exception.

C#
/// <summary>
/// Teminates existing connection with SqlServer Instance
/// </summary>
public static void TerminateConnection()
{
    if (connection != null)
    {
        if (connection.State == ConnectionState.Open)
        {
            connection.Close();
            connection.Dispose();
        }
    }
}

BeginTransaction: This associates SqlTransaction with current SqlConnection,if a user wants transaction while operating on multiple tables.
Usage : Declare a instance of SqlTransaction in the Code Block.
C# : SqlTransaction transaction;
VB : Dim transaction as new SqlTransaction
In your methods with data access layer methods mentioned below like, use something like this.ExecuteNonQuery(yourSqlStatement, transaction)

C#
private void TransactionTest( string cmdText)
{
    SqlTransaction transaction = new SqlTransaction();
    try
    {
        SqlDataEngine.EstablishConnection();
        SqlDataEngine.BeginTransaction(transaction); //Start a new transaction taking condition your query is inserting/updating / deleting on multiple tables.
        SqlDataEngine.ExecuteNonQuery(cmdText,transaction); // Execute your query
        SqlDataEngine.CommitTransaction(); // Commit on successful completion
    }
    catch
    {
        SqlDataEngine.RollbackTransaction();
    }
    finally
    {
        SqlDataEngine.TerminateConnection();
    }
}
I think above code block will clear almost all doubts regarding the implemetation of methods. If not please post you query below.

C#
        /// <summary>
        /// Starts a transaction with existing connection
        /// </summary>
        /// <param name="transaction"></param>
        public static void BeginTransaction(SqlTransaction transaction)
        {
            if (transaction != null)
            {
                transaction = connection.BeginTransaction();
            }
            else
            {
                throw new NullReferenceException("Transaction object is null.");
            }
        }

        /// <summary>
        /// Commits a successfully executed statement
        /// </summary>
        /// <param name="transaction">sql transaction</param>
        public static void CommitTransaction(SqlTransaction transaction)
        {
            if (transaction != null)
            {
                transaction.Commit();
            }
            else
            {
                throw new NullReferenceException("Transaction object is null.");
            }
        }

        /// <summary>
        /// Rollbacks a transaction if error occurred while processing.
        /// </summary>
        /// <param name="transaction">sql transaction</param>
        
        public static void RollbackTransaction(SqlTransaction transaction)
        {
            if (transaction != null)
            {
                transaction.Rollback();

            }
            else
            {
                throw new NullReferenceException("Transaction object is null.");
            }
        }

        /// <summary>
        /// Executes Non queries like Insert,Update,Delete 
        /// </summary>
        /// <param name="commandText">Sql Statement as string</param>
        /// <returns>no. of rows affected by the query as integer</returns>
        public static int ExecuteNonQuery(string commandText)
        {
            int returnValue = 0;

            using (SqlCommand command = new SqlCommand(commandText, connection))
            {

               returnValue = command.ExecuteNonQuery();
            }
            return returnValue;
        }

        /// <summary>
        ///  Executes Non queries like Insert,Update,Delete, in case Sql parameters are required
        /// </summary>
        /// <param name="commandText">Sql Statement as String</param>
        /// <param name="parameters">Array of SqlParameters</param>
        /// <returns>no. of rows affected as integer</returns>
        public static int ExecuteNonQuery(string commandText, SqlParameter[] parameters)
        {
            int returnValue = 0;

            using (SqlCommand command = new SqlCommand(commandText, connection))
            {

                if (parameters.Length > 0)
                {
                    command.Parameters.AddRange(parameters);
                    returnValue = command.ExecuteNonQuery();
                }
                else
                {
                    throw new SqlParametersException("If using Sql Parameters, count could not be Zero. ");
                }
               
            }
            return returnValue;
        }

       /// <summary>
        ///  Executes Non queries like Insert,Update,Delete, in case Sql parameters are required
        /// </summary>
        /// <param name="commandText">Sql Statement as String</param>
        /// <param name="parameters">Array of SqlParameters</param>
        /// <param name="transaction">Sql Transaction</param>
        /// <returns>no. of rows affected as integer</returns>
        public static int ExecuteNonQuery(string commandText, SqlParameter[] parameters, SqlTransaction transaction)
        {
            int returnValue = 0;
            if (transaction != null)
            {

                using (SqlCommand command = new SqlCommand(commandText, connection, transaction))
                {
                   
                    if (parameters.Length > 0)
                    {
                        command.Parameters.AddRange(parameters);
                        returnValue = command.ExecuteNonQuery();
                    }
                    else
                    {
                        throw new SqlParametersException("If using Sql Parameters, count could not be Zero. ");
                    }

                }
            }
            else
            {
                throw new NullReferenceException( "Transaction object is null.");
            }
            return returnValue;

        }
        /// <summary>
        /// Executes select statement and loads result to datatable
        /// </summary>
        /// <param name="commandText">Sql Statement as String</param>
        /// <returns>Result as Datatable</returns>
        public static DataTable ExecuteReader(string commandText)
        {
            DataTable dtResult = new DataTable();
            using (SqlCommand command = new SqlCommand(commandText,connection))
            {
                using (SqlDataReader reader = command.ExecuteReader())
                {
                    dtResult.Load(reader);
                }
            }
            return dtResult;
        }

        /// <summary>
        /// Executes select statement and loads result to datatable with parameters supplied
        /// </summary>
        /// <param name="commandText">Sql Statement as String</param>
        /// <param name="parameters">Array of sql parameters</param>
        /// <returns>Result as Datatable</returns>
        public static DataTable ExecuteReader(string commandText, SqlParameter[] parameters)
        {
            DataTable dtResult = new DataTable();
            using (SqlCommand command = new SqlCommand(commandText, connection))
            {
                if (parameters.Length > 0)
                {
                    using (SqlDataReader reader = command.ExecuteReader())
                    {
                        dtResult.Load(reader);
                    }
                }
                else
                {
                    throw new SqlParametersException("If using parameters, atleast one parameter should be provided.");
                }
            }
            return dtResult;
        }

        /// <summary>
        /// Executes select statement and loads result to datatable with parameters supplied
        /// </summary>
        /// <param name="commandText">Sql Statement as String</param>
        /// <param name="parameters">Array of sql parameters</param>
        /// <param name="transaction">Sql Transaction</param>
        /// <returns>Result as Datatable</returns>
        public static DataTable ExecuteReader(string commandText, SqlParameter[] parameters, SqlTransaction transaction)
        {
            DataTable dtResult = new DataTable();
            if (transaction != null)
            {
                using (SqlCommand command = new SqlCommand(commandText, connection, transaction))
                {
                    if (parameters.Length > 0)
                    {
                        using (SqlDataReader reader = command.ExecuteReader())
                        {
                            dtResult.Load(reader);
                        }
                    }
                    else
                    {
                        throw new SqlParametersException("If using parameters, atleast one parameter should be provided.");
                    }
                }
            }
            else
            {
                throw new NullReferenceException("Transaction object is null.");
            }
            return dtResult;
        }

        /// <summary>
        /// Executes the query and returns the value of first row and first column from result set. Ignores the rest column
        /// </summary>
        /// <param name="commandText">Sql statement as string</param>
        /// <returns>value of first row and first column as object</returns>
        public static object ExecuteScalar(string commandText)
        {
            object oResult = null;
            using (SqlCommand command = new SqlCommand(commandText, connection))
            {
                oResult = command.ExecuteScalar();
            }
            return oResult;
        }

        /// <summary>
        /// Executes the query and returns the value of first row and first column from result set. Ignores the rest column
        /// </summary>
        /// <param name="commandText">Sql statement as string</param>
        /// /// <param name="parameters">Array of SqlParameters</param>
        /// <returns>value of first row and first column as object</returns>
        public static object ExecuteScalar(string commandText, SqlParameter[] parameters)
        {
            object oResult = null;
            using (SqlCommand command = new SqlCommand(commandText, connection))
            {
                if (parameters.Length > 0)
                {
                    oResult = command.ExecuteScalar();
                }
                else
                {
                    throw new SqlParametersException("If using parameters, atleast one parameter should be provided.");
                }
            }
            return oResult;
        }

        /// <summary>
        /// Executes the query and returns the value of first row and first column from result set. Ignores the rest column
        /// </summary>
        /// <param name="commandText">Sql statement as string</param>
        /// <param name="parameters">Array of SqlParameters</param>
        /// <param name="transaction">Sql transaction </param>
        /// <returns>value of first row and first column as object</returns>
        public static object ExecuteScalar(string commandText, SqlParameter[] parameters, SqlTransaction transaction)
        {
            object oResult = null;
            if (transaction != null)
            {
                if (parameters.Length > 0)
                {
                    using (SqlCommand command = new SqlCommand(commandText, connection, transaction))
                    {
                        oResult = command.ExecuteScalar();
                    }
                }
                else
                {
                    throw new SqlParametersException("If using parameters, atleast one parameter should be provided.");
                }
            }
            else
            {
                throw new NullReferenceException("Transaction object is null.");
            }
            return oResult;
        }

    }
}

History 

Version 1.0.0.0 - Added Data Access Methods for SQL Server. In coming versions, I am going to add support for OleDb , ODBC etc too. 

*Note 

 This article is in under editing. I will update the explanation ASAP. Please bear with us. Any comments and suggestion on improving the source is highly appreciated.  Thanks 

License

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


Written By
Web Developer MFSI
India India
Holds MSc Information Science from BIT Mesra. Area of interest is C# and VB.Net. He loves C# and is involved in Web and Windows Development.

Area of expertise is ASP.Net, C#, AJAX, Java/Vb Script, Sql, XHTML, CSS, UI Design.

In leisure he loves hanging out with friends and pranking on them too

Comments and Discussions

 
GeneralMy vote of 2 Pin
John Brett9-Apr-10 2:47
John Brett9-Apr-10 2:47 
GeneralVery limited Pin
PIEBALDconsult8-Apr-10 13:13
mvePIEBALDconsult8-Apr-10 13:13 
GeneralRe: Very limited Pin
Amit Ranjan9-Apr-10 11:29
Amit Ranjan9-Apr-10 11:29 
GeneralRe: Very limited Pin
PIEBALDconsult9-Apr-10 13:03
mvePIEBALDconsult9-Apr-10 13:03 
GeneralRe: Very limited Pin
Amit Ranjan10-Apr-10 8:00
Amit Ranjan10-Apr-10 8:00 
GeneralI thought... Pin
Bassam Saoud8-Apr-10 9:59
Bassam Saoud8-Apr-10 9:59 

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.