Implementing Repository Pattern With Entity Framework

 

The Repository pattern is defined by Patterns of Enterprise Application Architecture as:   

Mediates between the domain and data mapping layers using a collection-like interface for accessing domain objects.

Repository provides an in-memory like collection interface for accessing domain objects. So as far as the consuming component is concerned, it uses the repository just like a collection when working with Domain objects. The repository then neatly abstracts the internal mechanics of how the Add / Remove calls to the repository translate to the actual data access calls to the data store. Objects can be added to and removed from the Repository, as they can from a simple collection of objects, and the mapping code encapsulated by the Repository will carry out the appropriate operations behind the scenes. Conceptually, a Repository encapsulates the set of objects persisted in a data store and the operations performed over them, providing a more object-oriented view of the persistence layer. Repository also supports the objective of achieving a clean separation and one-way dependency between the domain and data mapping layers.

So with the repository we get a nice abstraction that provides us with persistence ignorance and a nice separation of concerns where the responsibility of persisting domain objects is encapsulated by the Repository leaving the domain objects to deal entirely with the domain model and domain logic.

Using the Code

Here I use the Composite Repository pattern:

Collapse |Copy Code

/// <summary>

/// Repository Interface defines the base

/// functionality required by all Repositories.

/// </summary>

/// <typeparam name="T">

/// The entity type that requires a Repository.

/// </typeparam>

public interface IRepository<E, C>

{

    DbTransaction BeginTransaction();

    void Add(E entity);

    void AddOrAttach(E entity);

    void DeleteRelatedEntries(E entity);

    void DeleteRelatedEntries

          (E entity, ObservableCollection<string> keyListOfIgnoreEntites);

    void Delete(E entity);

    int Save();

    ObjectQuery<E> DoQuery(string entitySetName);

    ObjectQuery<E> DoQuery();

    ObjectQuery<E> DoQuery(string entitySetName, ISpecification<E> where);

    ObjectQuery<E> DoQuery(ISpecification<E> where);

    ObjectQuery<E> DoQuery(int maximumRows, int startRowIndex);

    ObjectQuery<E> DoQuery(Expression<Func<E, object>> sortExpression);

    ObjectQuery<E> DoQuery(Expression<Func<E, object>> sortExpression,

                                         int maximumRows, int startRowIndex);

 

    IList<E> SelectAll(string entitySetName);

    IList<E> SelectAll();

    IList<E> SelectAll(string entitySetName, ISpecification<E> where);

    IList<E> SelectAll(ISpecification<E> where);

    IList<E> SelectAll(int maximumRows, int startRowIndex);

    IList<E> SelectAll(Expression<Func<E, object>> sortExpression);

    IList<E> SelectAll(Expression<Func<E, object>> sortExpression,

                                         int maximumRows, int startRowIndex);

    E SelectByKey(string Key);

    bool TrySameValueExist(string fieldName, object fieldValue, string key);

    bool TryEntity(ISpecification<E> selectSpec);

    int GetCount();

    int GetCount(ISpecification<E> selectSpec);

}

You can write your own Repository for each business object like RoleRepository, UserReporsitory, etc. Or you can implement thisinterface as a generic class of Repository something like this: 

Collapse |Copy Code

public class Repository<E, C> : IRepository<E, C>, IDisposable

    where E : EntityObject

    where C : ObjectContext

{

    private readonly C _ctx;

    private string _KeyProperty = "ID";

    public string KeyProperty    {

        get {    return _KeyProperty;        }

        set {    _KeyProperty = value;       }

    }

    public C Session

    {        get { return _ctx; }    }

 

    public Repository(C session)

    {        _ctx = session;    }

 

    #region IRepository<E,C> Members

    public int Save()

    {        return _ctx.SaveChanges();    }

    /// <summary>

    /// A generic method to return ALL the entities

    /// </summary>

    /// <param name=”entitySetName”>

    /// The EntitySet name of the entity in the model.

    /// </param>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public ObjectQuery<E> DoQuery(string entitySetName)

    {        return _ctx.CreateQuery<E>("[" + entitySetName + "]");    }

    /// <summary>

    /// A generic method to return ALL the entities

    /// </summary>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public ObjectQuery<E> DoQuery()

    {        return _ctx.CreateQuery<E>("[" + typeof(E).Name + "]");    }

 

    /// <summary>

    /// </summary>

    /// <param name=”entitySetName”>

    /// The EntitySet name of the entity in the model.

    /// </param>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public ObjectQuery<E> DoQuery(string entitySetName, ISpecification<E> where)

    {

        return   (ObjectQuery<E>)_ctx.CreateQuery<E>("[" + entitySetName + "]")

            .Where(where.EvalPredicate);

    }

 

    /// <summary>

    /// </summary>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public ObjectQuery<E> DoQuery(ISpecification<E> where)

    {

        return  (ObjectQuery<E>)_ctx.CreateQuery<E>("[" + typeof(E).Name + "]")

            .Where(where.EvalPredicate);

    }

    /// <summary>

    /// Query Entity with Paging

    /// </summary>

    /// <param name="maximumRows">Max no of row to Fetch</param>

    /// <param name="startRowIndex">Start Index</param>

    /// <returns>Collection of Entities</returns>

    public ObjectQuery<E> DoQuery(int maximumRows, int startRowIndex)

    {        return (ObjectQuery<E>)_ctx.CreateQuery<E>

          ("[" + typeof(E).Name + "]").Skip<E>(startRowIndex).Take(maximumRows);

    }

    /// <summary>

    /// Query Entity in sorted Order

    /// </summary>

    /// <param name="sortExpression">Sort Expression/condition</param>

    /// <param name="ErrorCode">custom Error Message</param>

    /// <returns>Collection of Entities</returns>

    public ObjectQuery<E> DoQuery(Expression<Func<E, object>> sortExpression)

    {

        if (null == sortExpression)

        {            return ((IRepository<E, C>)this).DoQuery();        }

        return (ObjectQuery<E>)((IRepository<E, C>)this).DoQuery().OrderBy

                                                   <E, object>(sortExpression);

    }

    /// <summary>

    /// Query All Entity in sorted Order with Paging support

    /// </summary>

    /// <param name="sortExpression">Sort Expression/condition</param>

    /// <param name="maximumRows">Max no of row to Fetch</param>

    /// <param name="startRowIndex">Start Index</param>

    /// <returns>Collection Of entities</returns>

    public ObjectQuery<E> DoQuery(Expression<Func<E, object>>

                    sortExpression, int maximumRows, int startRowIndex)

    {

        if (sortExpression == null)

        {

            return ((IRepository<E, C>)this).DoQuery(maximumRows, startRowIndex);

        }

        return (ObjectQuery<E>)((IRepository<E, C>)this).DoQuery

                    (sortExpression).Skip<E>(startRowIndex).Take(maximumRows);

    }

    /// <summary>

    /// A generic method to return ALL the entities

    /// </summary>

    /// <param name=”entitySetName”>

    /// The EntitySet name of the entity in the model.

    /// </param>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public IList<E> SelectAll(string entitySetName)

    {

        return DoQuery(entitySetName).ToList();

    }

    /// <summary>

    /// A generic method to return ALL the entities

    /// </summary>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public IList<E> SelectAll()

    {

        try

        {

            return DoQuery().ToList(); //_ctx.CreateQuery<E> ("[" + typeof(E).Name + "]");

        }

        catch (Exception)

        {

            throw;

        }

    }

 

    /// <summary>

    /// A generic method to return ALL the entities

    /// </summary>

    /// <param name=”entitySetName”>

    /// The EntitySet name of the entity in the model.

    /// </param>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public IList<E> SelectAll(string entitySetName, ISpecification<E> where)

    {

        return DoQuery(entitySetName, where).ToList();

    }

 

    /// <summary>

    /// A generic method to return ALL the entities

    /// </summary>

    /// <typeparam name=”TEntity”>

    /// The Entity to load from the database.

    /// </typeparam>

    /// <returns>Returns a set of TEntity.</returns>

    public IList<E> SelectAll(ISpecification<E> where)

    {

        return DoQuery(where).ToList();

    }

    /// <summary>

    /// Select All Entity with Paging

    /// </summary>

    /// <param name="maximumRows">Max no of row to Fetch</param>

    /// <param name="startRowIndex">Start Index</param>

    /// <returns>Collection of Entities</returns>

    public IList<E> SelectAll(int maximumRows, int startRowIndex)

    {

        return DoQuery(maximumRows, startRowIndex).ToList();

    }

    /// <summary>

    /// Select All Entity in sorted Order

    /// </summary>

    /// <param name="sortExpression">Sort Expression/condition</param>

    /// <param name="ErrorCode">custom Error Message</param>

    /// <returns>Collection of Entities</returns>

    public IList<E> SelectAll(Expression<Func<E, object>> sortExpression)

    {

        if (null == sortExpression)

        {

            return DoQuery(sortExpression).ToList();

        }

        return DoQuery(sortExpression).ToList();

    }

    /// <summary>

    /// Select All Entity in sorted Order with Paging support

    /// </summary>

    /// <param name="sortExpression">Sort Expression/condition</param>

    /// <param name="maximumRows">Max no of row to Fetch</param>

    /// <param name="startRowIndex">Start Index</param>

    /// <returns>Collection Of entities</returns>

    public IList<E> SelectAll(Expression<Func<E, object>>

                    sortExpression, int maximumRows, int startRowIndex)

    {

        if (sortExpression == null)

        {

            return DoQuery(maximumRows, startRowIndex).ToList();

        }

        return DoQuery(sortExpression, maximumRows, startRowIndex).ToList();

    }

    /// <summary>

    /// Get Entity By Primary Key

    /// </summary>

    /// <typeparam name="E">Entity Type</typeparam>

    /// <param name="Key">Primary Key Value</param>

    /// <returns>return entity</returns>

    public E SelectByKey(string Key)

    {

        // First we define the parameter that we are going to use the clause.

        var xParam = Expression.Parameter(typeof(E), typeof(E).Name);

        MemberExpression leftExpr = MemberExpression.Property(xParam, this._KeyProperty);

        Expression rightExpr = Expression.Constant(Key);

        BinaryExpression binaryExpr = MemberExpression.Equal(leftExpr, rightExpr);

        //Create Lambda Expression for the selection

        Expression<Func<E, bool>> lambdaExpr =

                    Expression.Lambda<Func<E, bool>>(binaryExpr,

                    new ParameterExpression[] { xParam });

        //Searching ....

        IList<E> resultCollection = ((IRepository<E, C>)this).SelectAll

                                                   (new Specification<E>(lambdaExpr));

        if (null != resultCollection && resultCollection.Count() > 0)

        {            //return valid single result

            return resultCollection.First<E>();

        }//end if

        return null;

    }

    /// <summary>

    /// Check if value of specific field is already exist

    /// </summary>

    /// <typeparam name="E"></typeparam>

    /// <param name="fieldName">name of the Field</param>

    /// <param name="fieldValue">Field value</param>

    /// <param name="key">Primary key value</param>

    /// <returns>True or False</returns>

    public bool TrySameValueExist(string fieldName, object fieldValue, string key)

    {

        // First we define the parameter that we are going to use the clause.

        var xParam = Expression.Parameter(typeof(E), typeof(E).Name);

        MemberExpression leftExprFieldCheck =

                    MemberExpression.Property(xParam, fieldName);

        Expression rightExprFieldCheck = Expression.Constant(fieldValue);

        BinaryExpression binaryExprFieldCheck =    MemberExpression.Equal(leftExprFieldCheck, rightExprFieldCheck);

        MemberExpression leftExprKeyCheck =

                    MemberExpression.Property(xParam, this._KeyProperty);

        Expression rightExprKeyCheck = Expression.Constant(key);

        BinaryExpression binaryExprKeyCheck = MemberExpression.NotEqual(leftExprKeyCheck, rightExprKeyCheck);

        BinaryExpression finalBinaryExpr = Expression.And(binaryExprFieldCheck, binaryExprKeyCheck);

 

        //Create Lambda Expression for the selection

        Expression<Func<E, bool>> lambdaExpr =     Expression.Lambda<Func<E, bool>>(finalBinaryExpr, new ParameterExpression[] { xParam });

        //Searching ....           

        return ((IRepository<E, C>)this).TryEntity(new Specification<E>(lambdaExpr));

    }

    /// <summary>

    /// Check if Entities exist with Condition

    /// </summary>

    /// <param name="selectExpression">Selection Condition</param>

    /// <returns>True or False</returns>

    public bool TryEntity(ISpecification<E> selectSpec)

    {

        return _ctx.CreateQuery<E>("[" + typeof(E).Name + "]").Any<E>

                                                   (selectSpec.EvalPredicate);

    }

    /// <summary>

    /// Get Count of all records

    /// </summary>

    /// <typeparam name="E"></typeparam>

    /// <returns>count of all records</returns>

    public int GetCount()

    {

        return _ctx.CreateQuery<E>("[" + typeof(E).Name + "]").Count();

    }

    /// <summary>

    /// Get count of selection

    /// </summary>

    /// <typeparam name="E">Selection Condition</typeparam>

    /// <returns>count of selection</returns>

    public int GetCount(ISpecification<E> selectSpec)

    {

        return _ctx.CreateQuery<E>("[" + typeof(E).Name + "]")

            .Where(selectSpec.EvalPredicate).Count();

    }

    /// <summary>

    /// Delete data from context

    /// </summary>

    /// <typeparam name="E"></typeparam>

    /// <param name="entity"></param>

    public void Delete(E entity)

    {

        _ctx.DeleteObject(entity);

    }

    /// <summary>

    /// Delete data from context

    /// </summary>

    /// <typeparam name="E"></typeparam>

    /// <param name="entity"></param>

    public void Delete(object entity)

    {

        _ctx.DeleteObject(entity);

    }

    /// <summary>

    /// Insert new data into context

    /// </summary>

    /// <typeparam name="E"></typeparam>

    /// <param name="entity"></param>

    public void Add(E entity)

    {

        _ctx.AddObject(entity.GetType().Name, entity);

    }

    /// <summary>

    /// Insert if new otherwise attach data into context

    /// </summary>

    /// <param name="entity"></param>

    public void AddOrAttach(E entity)

    {

        // Define an ObjectStateEntry and EntityKey for the current object.

        EntityKey key;

        object originalItem;

        // Get the detached object's entity key.

        if (entity.EntityKey == null)

        {

            // Get the entity key of the updated object.

            key = _ctx.CreateEntityKey(entity.GetType().Name, entity);

        }

        else

        {

            key = entity.EntityKey;

        }

        try

        {

            // Get the original item based on the entity key from the context

            // or from the database.

            if (_ctx.TryGetObjectByKey(key, out originalItem))

            {//accept the changed property

                if (originalItem is EntityObject &&

                    ((EntityObject)originalItem).EntityState != EntityState.Added)

                {

                    // Call the ApplyPropertyChanges method to apply changes

                    // from the updated item to the original version.

                    _ctx.ApplyPropertyChanges(

                        key.EntitySetName, entity);

                }

            }

            else

            {//add the new entity

                Add(entity);

            }//end else

        }

        catch (Exception ex)

        {

            throw ex;

        }

    }

    /// <summary>

    /// Start Transaction

    /// </summary>

    /// <returns></returns>

    public DbTransaction BeginTransaction()

    {

        if (_ctx.Connection.State != ConnectionState.Open)

        {

            _ctx.Connection.Open();

        }

        return _ctx.Connection.BeginTransaction();

    }

    /// <summary>

    /// Delete all related entries

    /// </summary>

    /// <param name="entity"></param>       

    public void DeleteRelatedEntries(E entity)

    {

        foreach (var relatedEntity in (((IEntityWithRelationships)entity).

          RelationshipManager.GetAllRelatedEnds().SelectMany(re =>

          re.CreateSourceQuery().OfType<EntityObject>()).Distinct()).ToArray())

        {

            _ctx.DeleteObject(relatedEntity);

        }//end foreach

    }

    /// <summary>

    /// Delete all related entries

    /// </summary>

    /// <param name="entity"></param>       

    public void DeleteRelatedEntries(E entity, ObservableCollection<string>

                                                             keyListOfIgnoreEntites)

    {        foreach (var relatedEntity in (((IEntityWithRelationships)entity).

                    RelationshipManager.GetAllRelatedEnds().SelectMany(re =>

                    re.CreateSourceQuery().OfType<EntityObject>()).Distinct()).ToArray())

        {            PropertyInfo propInfo = relatedEntity.GetType().GetProperty

                                                             (this._KeyProperty);

            if (null != propInfo)

            {

                string value = (string)propInfo.GetValue(relatedEntity, null);

                if (!string.IsNullOrEmpty(value) &&

                    keyListOfIgnoreEntites.Contains(value))

                {

                    continue;

                }//end if

            }//end if

            _ctx.DeleteObject(relatedEntity);

        }//end foreach

    }

    #endregion

    #region IDisposable Members

    public void Dispose()

    {

        if (null != _ctx)

        {            _ctx.Dispose();

        }

    }

    #endregion

}

Notice that, here I also implement IDispose interface to dispose thecontext manually.To get the name of Entityset, here I have usedtypeof, but you can do a  metadata query to retrieve theEntitySet name:

Collapse |Copy Code

container = context.MetadataWorkspace.GetEntityContainer

                    (context.DefaultContainerName, DataSpace.CSpace);

 

string entitySetName = (from meta in container.BaseEntitySets

                            where meta.ElementType.Name == entityTypeName

                            select meta.Name).FirstOrDefault();

Here I am not going to the code.

The specification pattern can implement a re-usable business logic component that can be passed around to satisfy certain business criteria. Thespecification object has a clear and limited responsibility, which can be separated and decoupled from the domain object that uses it. I would highly recommend reading the white paper byMartin Fowler and Eric Evans on the Specification pattern.   

Collapse |Copy Code

public interface ISpecification<E>

{

    /// <summary>

    /// Select/Where Expression

    /// </summary>

    Expression<Func<E, bool>> EvalPredicate { get; }

    /// <summary>

    /// Function to evaluate where Expression

    /// </summary>

    Func<E, bool> EvalFunc { get; }

}

You can write your own specification by implementing your interfacelike RoleSpecification and put down your business logic there. For general use, you can also implement theInterface; such composite specification like this:

Collapse |Copy Code

public class Specification<E> : ISpecification<E>

{

    #region Private Members

    private Func<E, bool> _evalFunc = null;

    private Expression<Func<E, bool>> _evalPredicate;

    #endregion

    #region Virtual Accessors

    public virtual Expression<Func<E, bool>> EvalPredicate

    {

        get { return _evalPredicate; }

    }

    public virtual Func<E, bool> EvalFunc

    {

        get { return _evalFunc; }

    }

    #endregion

    #region Constructors

    public Specification(Expression<Func<E, bool>> predicate)

    {

        _evalPredicate = predicate;

    }

    private Specification() { }

    #endregion

}

To use this Repository class from your business layer, one thing I must say that I am sharing a singlecontext in the CRUD process/operation. You must keep alive the context in your entire process of a crud operation. For this, I make aGlobalvariable of my EF ObjectContext and all using repository and in the constructor, I initialize all these variables like this: 

Collapse |Copy Code

#region Global members

 

Repository< User, SecurityEntities> _userRepository = null;

Repository< Role, SecurityEntities> _roleRepository = null;

Repository< Task, JerichoSecurityEntities> _taskRepository = null;

Repository< RoleInUser,SecurityEntities> _roleInUserRepository = null;

Repository< RoleTask,SecurityEntities> _roleTaskRepository  = null;

Repository< DBAuditForSecurity, SecurityEntities> _securityAuditRepository ;

SecurityEntities _ctx = null;

#endregion

 

public BLLRoleManagement()

{

    _ctx = Helper.SecurityContextInstance;

    _userRepository = new Repository< User,SecurityEntities>(_ctx);

    _roleRepository = new Repository< Role, SecurityEntities>(_ctx);

    _taskRepository = new Repository< Task, SecurityEntities>(_ctx);

    _roleInUserRepository = new Repository< RoleInUser, SecurityEntities>(_ctx);

    _roleTaskRepository = new Repository< RoleTask, SecurityEntities>(_ctx);

    _securityAuditRepository =

          new Repository< DBAuditForSecurity, SecurityEntities>(_ctx);

}

......

..................( BLL methods , properties etc.)

Now, in my BLLRoleManagement class, say I have a method to deleteUser. That will be something like this:  

Collapse |Copy Code

/// <summary>

/// Delete User

/// </summary>

/// <param name="userID">User ID</param>

/// <returns>True Or False</returns>

public static bool DeleteUser(  string UserID)

{

    try

    {                

        using (DbTransaction transaction = userRepository.BeginTransaction())

        {

            User UserTobeRemoved = userRepository.SelectByKey(UserID);

            if (UserTobeRemoved == null)

                return false;

 

            userRepository.DeleteRelatedEntries(UserTobeRemoved);

            userRepository.Delete(UserTobeRemoved);

            if (userRepository.Save() >= 0)

            {

                transaction.Commit();

                return true;

            }

        }

    }

    catch (Exception ex)

    {

        throw ErrorHandler.WrapException(ex, ErrorCodes.DB_DeleteUser_Error_Code);

    }

    return false;

}

Here I just open transaction using userRepository global variable. Delete all related entities associated with Userand then delete User. To share the same context in this delete process, I will call this method like this

Collapse |Copy Code

new BLLRoleManagement().DeleteUser(userID); 

So here is my end of the discussion on repository pattern implementation with Entity framework.

 

 

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章