Click here to Skip to main content
15,882,163 members
Articles / Programming Languages / C#
Article

Building an Agile SQL Data Access Layer

Rate me:
Please Sign up or sign in to vote.
4.80/5 (5 votes)
6 Jan 2009CPOL4 min read 51K   646   58   6
An article on building a SQL Server data access layer in C# in a completely separate layer.
SqlDalCode

Introduction

This article follows my previous one on "in-memory" data access in which I detailed an architecture for separating the data access layer from the application domain layer. The decoupling was obtained by defining a set of interfaces setting the contracts for retrieving and persisting objects. The implementation shown there was an in-memory persistence of objects that can be used to simulate the real data persistence for testing purposes and to defer the implementation of database structures, scripts and queries.

In this article I'll show the classes necessary to implement those same interfaces for the real db persistence. We'll develop the code necessary to substitute the in-memory classes with code that uses the ADO.NET SqlClient library to access a SQL Server instance (as in the diagram at the top of this article, see here for a complete explanation of the architecture).

Summary of the Interfaces to Implement

I'll recap the interfaces to derive from to implement a data access layer in the architecture.

The session interface provides connection and transaction management and acts as a factory for the classes that manage data access for the single entities.

C#
public interface IOrdersSession: IDisposable
{
    IDbTransaction BeginTransaction();

    ICustomerDAL DbCustomers { get; }
    void Save(Customer customer);
    void Delete(Customer customer);

    IOrderDAL DbOrders { get; }
    void Save(Order order);
    void Delete(Order order);

    IOrderItemDAL DbOrderItems { get; }
    void Save(OrderItem orderItem);
    void Delete(OrderItem orderItem);

    IProductDAL DbProducts { get; }
    void Save(Product product);
    void Delete(Product product);
}

As a sample of the single data access interfaces we'll take the Order entity data access.

C#
/// method to call to instantiate objects
public delegate Order OrderDataAdapterHandler(Guid id, Guid idCustomer,
    DateTime orderDate);

/// <summary>
/// Data access interface
/// </summary>

public interface IOrderDAL
{
    List<Order> Search(Guid id, Guid idCustomer, DateTime? orderDate,
    OrderDataAdapterHandler orderDataAdapter);
}

IOrdersSession SQL Implementation

The SqlOrdersSession class implements IOrdersSession. It should support transaction and connection management for data access across different entities (and, thus, database tables). To achieve this goal it contains two instance variables to store a SQL connection and a SQL transaction. Upon instantiation of the class the SQL connection is instantiated and it is opened. Since IOrdersSession implements IDisposable this class provides a Dispose method that rolls back the transaction if not committed and closes the SQL connection.

C#
public class SqlOrdersSession: IOrdersSession
{
    private SqlConnection _sqlConnection;
    private SqlTransaction _sqlTransaction;

    public SqlOrdersSession(string connectionString)
    {
        OpenConnection(connectionString);
    }

    private void OpenConnection(string connectionString)
    {
        _sqlConnection = new SqlConnection(connectionString);
        try
        {
            _sqlConnection.Open();
        }
        catch (Exception ex)
        {
            ApplicationException exp = new ApplicationException("Db connection error.",
                ex);
            throw exp;
        }
    }
    
    #region IDisposable Members

    /// <summary>
    /// Clean up transaction if not committed and Sql connection
    /// </summary>
    public void Dispose()
    {
        if (_sqlTransaction != null && _sqlTransaction.Connection != null)
        {
            _sqlTransaction.Rollback();
        }
        if (_sqlConnection != null && _sqlConnection.State == ConnectionState.Open)
        {
            _sqlConnection.Close();
        }
    }
        
    //...

The class implements the IOrderSession BeginTransaction() method instantiating a SQL transaction and storing it in the _sqlTransaction instance variable.

C#
public class SqlOrdersSession: IOrdersSession
{
    //...

    #region IOrdersSession Members

    public IDbTransaction BeginTransaction()
    {
        IDbTransaction st = _sqlConnection.BeginTransaction();
        _sqlTransaction = st as SqlTransaction;
        return st;
    }

It also implements a "Db" property for each entity to enable access to an instance of a class implementing the corresponding data access interface. In our example, considering the Order entity, we have a DbOrders property that gives access to an instance of the SqlOrderDAL class.

C#
public class SqlOrdersSession: IOrdersSession
{
    private IOrderDAL _dbOrders; 

    //...
    
    public IOrderDAL DbOrders
    {
        get
        {
            if (_dbOrders == null)
                _dbOrders = new SqlOrderDAL(_sqlConnection, _sqlTransaction);
            return _dbOrders as IOrderDAL;
        }
        private set { _dbOrders = value; }
    }

    public void Save(Order order)
    {
        (DbOrders as SqlOrderDAL).Save(order);

    }

    public void Delete(Order order)
    {
        (DbOrders as SqlOrderDAL).Delete(order);
    }

IOrderDAL SQL Implementation

The SqlOrderDAL class implements IOrderDAL. It has an internal constructor since we don't want to let the client instantiate objects of this class directly. The constructor takes as parameters the SQL connection and the SQL trasaction owned by the SqlOrdersSession object.

C#
public class SqlOrderDAL: IOrderDAL
{
	private SqlConnection _sqlConnection;
    private SqlTransaction _sqlTransaction;
	
    internal SqlOrderDAL(SqlConnection sqlConnection, SqlTransaction sqlTransaction)
    {
        _sqlConnection = sqlConnection;
        _sqlTransaction = sqlTransaction;
    }
    
    //...

This way all the single entities data access objects will share the same SQL connection and SQL transaction during the SqlOrdersSession lifetime. Thus the queries are transactional.

Object Creation in the DAL

SqlOrderDAL and the other entity DAL classes don't instantiate objects directly, they use the business logic factory method passed as delegate in the methods that retrieve objects off the database. In the following code snippet the method implementing search uses a OrderDataAdapterHandler delegate to create objects. In this manner no logic about object construction, validation or composition is demanded to the Data Access Layer.

C#
public List<Order> Search(Guid id, Guid idCustomer, DateTime? orderDate,
    OrderDataAdapterHandler orderDataAdapter)
{
    List<Order> lro = new List<Order>();
    
    // ...

    SqlCommand sqlCmd = new SqlCommand(sb.ToString(), _sqlConnection);

    using (SqlDataReader dr = sqlCmd.ExecuteReader(CommandBehavior.CloseConnection))
    {
        while (dr.Read())
        {
            // Here the objects are instantiated with the factory method 
            // coming from the business logic through the delegate
            Order ro = orderDataAdapter(
                (Guid)dr["Id"],
                (Guid)dr["IdCustomer"],
                (DateTime)dr["OrderDate"]
                );
            lro.Add(ro);
        }
    }
    // ...
 
    return lro;
}

Using the DAL in the Business Logic Methods

In the business logic code the SqlOrdersSession is used as an instance of the IOrdersSession interface, so the code is exactly the same of that in the simulated, In-memory implementation (see previous article).

Here next is a method to retrieve Orders pertaining to a customer. The using statement is employed to assure proper session closing.

C#
public List<Order> GetByCustomerId(Guid customerId)
{
    List<Order> lis;
    using (IOrdersSession sess = GBDipendencyInjection.GetSession())
    {
        lis = sess.DbOrders.Search(Guid.Empty, customerId, null, CreateOrder);
    }
    return lis;
}

The code calls the Search method of the IOrderDAL interface through the instance provided by IOrdersSession and the last parameter is CreateOrder, which is a method with the same signature of the delegate declared in the IOrderDAL interface. Following is the method code, it is a simple factory method. What it does is calling CustomerLogic to retreive the customer, verifying it is not null, instancing a new order and setting its values. Here additional logic can be added if, for example, it is necessary to instantiate different concrete implementations of classes inheriting from abstract classes or other construction and composition logic.

C#
public Order CreateOrder(Guid id, Guid idCustomer, DateTime orderDate)
{
    Order order = new Order();
    CustomerLogic custumerLogic = new CustomerLogic();
    Customer customer = custumerLogic.GetById(idCustomer);
    if (customer == null)
    {
        throw new ArgumentException("Customer not found.");
    }
    order.Id = id;
    order.Customer = customer;
    order.OrderDate = orderDate;
    order.OrderItems = new List<OrderItem>();
    return order;
}

The last code snippet is an example of transaction usage. Here an order is saved, together with its order lines, in transactional manner.

C#
public void SaveAllOrder(Order order)
{
    using (IOrdersSession sess = GBDipendencyInjection.GetSession())
    {
        System.Data.IDbTransaction trans = sess.BeginTransaction();
        sess.Save(order);
        foreach (OrderItem orderItem in order.OrderItems)
        {
            sess.Save(orderItem);
        }
        trans.Commit();
    }
}

Conclusions

The article's intent was to show how to implement data access to a SQL Server database separating this concern from the application domain. This has been done by making the data access code and the business logic code not to depend one on each other but by making them depend upon a common set of interfaces. This separation allows the domain code to ignore the details and inner workings of data access and persistence and the data access code to ignore inner construction logic of the objects it retrieves off the database. So we have data access that does and only knows about database structures and queries and business logic code that doesn't know anything about how objects are persisted and retrieved.

As a side effect we are able to use alternative data access code without changing domain logic code, this spawns the ability to temporarily simulate the real database access with an in-memory (fake) implementation as shown in my previous article or with mock objects, allowing to test the application in isolation from database access code and to defer the development of the real data access.

License

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


Written By
Italy Italy
Software architect. At present working on C# development, with mainly Asp.net Ajax and MVC user inteface. Particularly interested in OOP, test driven, agile development.

Comments and Discussions

 
GeneralSQL Transaction prevents serialization Pin
Member 55150830-Jan-09 8:31
Member 55150830-Jan-09 8:31 
GeneralRe: SQL Transaction prevents serialization Pin
Giorgio Bozio30-Jan-09 23:12
Giorgio Bozio30-Jan-09 23:12 
GeneralGood article Pin
Donsw16-Jan-09 9:31
Donsw16-Jan-09 9:31 
GeneralRe: Good article Pin
Giorgio Bozio22-Jan-09 10:43
Giorgio Bozio22-Jan-09 10:43 
GeneralInMemoryDALAttribute attribute Pin
BethH13-Jan-09 10:04
BethH13-Jan-09 10:04 
GeneralRe: InMemoryDALAttribute attribute Pin
Giorgio Bozio14-Jan-09 22:06
Giorgio Bozio14-Jan-09 22:06 
Hi Beth,
first of all, thank you for your comment.

The need for the attribute mechanism arose to solve the problem of having already developed business logic classes in the project that didn't use in-memory db for testing. So I needed a way to have in the project simultaneously classes that use real db and those who use in-memory db.

I understand this is not the most common scenario, however.

It would be nice adding to the mechanism the possibility to declare the assembly and the class implementing the "ISession" interface in the configuration file and let the helper method that implements dependency injection to instantiate the concrete implementation of the interface based on the value in the config file. This would remove the need to change code in the classes and thus remove the need to recompile.

In fact this new feature is on my list for future implementation, when I'll be able to develop it and test, I'll update my articles.
Your comment helped in showing me that this could well be the first new implementation, thank you.

Giorgio Bozio

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.