In this post, i will show how to use generic repository and dependency injection using structuremap. I will be using LINQ to SQL.

Generic Repository

The interface for the generic repository is like this:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
public interface IRepository<T> where T : class
    {
        void Create(T entity);
        void Update(T entity);
        void Delete(T entity);
        void Copy(T source, T target);
        void Flush();
 
        T Get(Expression<Func<T, bool>> predicate);
        IEnumerable<T> GetAll();
 
        System.Data.Linq.Table<T> Table { get; }
 
        int Count(Expression<Func<T, bool>> predicate);
        IEnumerable<T> Fetch(Expression<Func<T, bool>> predicate);
        IEnumerable<T> Fetch(Expression<Func<T, bool>> predicate, Action<Orderable<T>> order);
        IEnumerable<T> Fetch(Expression<Func<T, bool>> predicate, Action<Orderable<T>> order, int skip, int count);
 
    }

Now lets go to the implementation of the generic repository interface.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
public class Repository<T> : IRepository<T> where T : class
    {
 
        protected IDataContextFactory _dataContextFactory;
 
        public Repository(IDataContextFactory dataContextFactory)
        {
            _dataContextFactory = dataContextFactory;
        }
 
        public System.Data.Linq.Table<T> Table
        {
            get { return _dataContextFactory.Context.GetTable<T>(); }
 
        }
 
        IEnumerable<T> IRepository<T>.GetAll()
        {
            return Table.ToReadOnlyCollection();
        }
 
        #region IRepository<T> Members
 
        void IRepository<T>.Create(T entity)
        {
            Table.InsertOnSubmit(entity);
            _dataContextFactory.SaveAll();
        }
 
        void IRepository<T>.Update(T entity)
        {
            if (Table.GetOriginalEntityState(entity) == null)
            {
                Table.Attach(entity);
            }
            _dataContextFactory.Context.Refresh(System.Data.Linq.RefreshMode.KeepCurrentValues, entity);
            _dataContextFactory.SaveAll();
        }
 
        void IRepository<T>.Delete(T entity)
        {
            Table.DeleteOnSubmit(entity);
            _dataContextFactory.SaveAll();
        }
 
       T IRepository<T>.Get(Expression<Func<T, bool>> predicate)
        {
            return Table.FirstOrDefault(predicate);
        }
 
        int IRepository<T>.Count(Expression<Func<T, bool>> predicate)
        {
            return Table.Count(predicate);
        }
 
        public virtual IQueryable<T> Fetch(Expression<Func<T, bool>> predicate)
        {
            return Table.Where(predicate);
        }
 
        public virtual IQueryable<T> Fetch(Expression<Func<T, bool>> predicate, Action<Orderable<T>> order)
        {
            var orderable = new Orderable<T>(Fetch(predicate));
            order(orderable);
            return orderable.Queryable;
        }
 
        public virtual IQueryable<T> Fetch(Expression<Func<T, bool>> predicate, Action<Orderable<T>> order, int skip, int count)
        {
            return Fetch(predicate, order).Skip(skip).Take(count);
        }
 
        IEnumerable<T> IRepository<T>.Fetch(Expression<Func<T, bool>> predicate)
        {
            return Fetch(predicate).ToReadOnlyCollection();
        }
 
        IEnumerable<T> IRepository<T>.Fetch(Expression<Func<T, bool>> predicate, Action<Orderable<T>> order)
        {
            return Fetch(predicate, order).ToReadOnlyCollection();
        }
 
        IEnumerable<T> IRepository<T>.Fetch(Expression<Func<T, bool>> predicate, Action<Orderable<T>> order, int skip, int count)
        {
            return Fetch(predicate, order, skip, count).ToReadOnlyCollection();
        }
 
        #endregion
     }

If you notice ToReadOnlyCollection() this is an extension method of the IEnumerable. This is defined as:

1
2
3
4
5
6
using System.Collections.ObjectModel;
 
 public static IList<T> ToReadOnlyCollection<T>(this IEnumerable<T> enumerable)
        {
            return new ReadOnlyCollection<T>(enumerable.ToList());
        }

I think thats if for our generic repository. To use it, for example if we have a Blog model on our LINQ to SQL we can use the repository like:

1
IRepository<Blog> BlogRepository = new Repository<Blog>();

Using StructureMap Dependency Injector

Before reading this, I assume that the reader has knowledge already about dependency injection.

First we have to reference the StructureMap DLL. It can be downloaded on the structuremap website.

Then we have to create the Registry Class. This class will configure the dependencies. This class should be of type StructureMap.Configuration.DSL.Registry

The Registry class may look like this:

1
2
3
4
5
6
7
8
public class ApplicationRegistry : Registry
    {
        public ApplicationRegistry()
        {
            For(typeof(IRepository<Blog>)).Use(typeof(Repository<Blog>));
            For(typeof(IDataContextFactory)).Use(typeof(DataContext));
        }
    }

After configuring the dependency, we will going to add our Registry to the StructureMap configuration. Usually, this will be on a Bootstrapper class that looks like this:

1
2
3
4
5
6
7
8
9
10
public static class Bootstrapper
    {
        public static void ConfigureStructureMap()
        {
            ObjectFactory.Initialize(x =>
            {
                x.AddRegistry(new ApplicationRegistry());
            });
        }
    }

This code tells the application to use the dependency injection as configure on the registry class. This should be called on program startup, the main method on console application or on global.asax on web application.

1
Bootstrapper.ConfigureStructureMap();

To get the instance of the repository:

1
IRepository<Blog> Repository = ObjectFactory.GetInstance<IRepository<Blog>>();

That should be it. Its ready.

If you have questions, please leave comments. I would be happy to answer.

If you want to create test repository that give predictable data, you should have another configuration for your test. Another boot strapper class perhaps but this is for test specific repository configuration. And on your test project call the test boot strapper not the original one.

Or just use mocking for testing like my code below using MOQ:

[TestMethod] public void GetUserByIDTest() { User user = new User() { UserID = 1, UserName = “mcxiand”, Password = “password”, }; var userid = 1; //initialize mock var mock = new Mock<IRepository>(); //see if the method in something you have mocked has been called by using Verify(). mock.Setup(x => x.Get(It.IsAny<Expression<Func>>())).Returns(user);

//Initialize Service service = new UserService(mock.Object); //call the method to test var u = service.GetUser(userid);

//Assert Assert.AreEqual(u.UserID, userid, “not equal”); }

http://mcxiand.wordpress.com/2010/05/13/using-structuremap-di-and-generic-repository/

Using StructureMap DI and Generic Repository的更多相关文章

  1. Generic repository pattern and Unit of work with Entity framework

    原文 Generic repository pattern and Unit of work with Entity framework Repository pattern is an abstra ...

  2. EF6 CodeFirst+Repository+Ninject+MVC4+EasyUI实践(完)

    前言 这一篇是本系列的最后一篇,虽然示例讲到这里就停止呢,但对于这些技术的学习远不能停止.虽然本示例讲的比较基础,但是正如我第一篇说到的,这个系列的目的不是说一些高端的架构设计,而是作为一个入门级,对 ...

  3. Follow me to learn what is repository pattern

    Introduction Creating a generic repository pattern in an mvc application with entity framework is th ...

  4. Using the Repository Pattern with ASP.NET MVC and Entity Framework

    原文:http://www.codeguru.com/csharp/.net/net_asp/mvc/using-the-repository-pattern-with-asp.net-mvc-and ...

  5. [转]Using the Repository Pattern with ASP.NET MVC and Entity Framework

    本文转自:http://www.codeguru.com/csharp/.net/net_asp/mvc/using-the-repository-pattern-with-asp.net-mvc-a ...

  6. Using the Repository and Unit Of Work Pattern in .net core

    A typical software application will invariably need to access some kind of data store in order to ca ...

  7. 单元操作和仓储模式 repository+unitOfWork

    仓储和工作单元模式是用来在数据访问层和业务逻辑层之间创建一个抽象层.应用这些模式,可以帮助用来隔离你的程序在数据存储变化. 在数据源层和业务层之间增加一个repository层进行协调,有如下作用:1 ...

  8. 6.在MVC中使用泛型仓储模式和依赖注入实现增删查改

    原文链接:http://www.c-sharpcorner.com/UploadFile/3d39b4/crud-operations-using-the-generic-repository-pat ...

  9. MVC中使用泛型仓储模式和依赖注入

    在ASP.NET MVC中使用泛型仓储模式和依赖注入,实现增删查改 原文链接:http://www.codeproject.com/Articles/838097/CRUD-Operations-Us ...

随机推荐

  1. Ubuntu14.04+cuda 7.5+cudnn_v4+tensorflow安装

    系统环境:Ubuntu14.04 64位.Windows7 64位 双系统 CUDA 版本: 7.5 总结一下,我的安装建议是: 一定要下一份CUDA官方的安装文档,按照它的步骤一步步慢慢来,不可偷懒 ...

  2. MQL5 获取最后一单 利润

    ///x 最后几单 double getLastProfit(int x) { HistorySelect(,TimeCurrent()); double profit ; long ticket ; ...

  3. regular expression tutorial

    \d represent any number \D represents everything but a number \s represents any space \S Anything bu ...

  4. Postgres数据库在Linux中的I/O优化

    I/O 优化1 打开 noatime方法: 修改 /etc/fstab2 调整预读方法: 查看 sudo blockdev --getra /dev/sda 设置 sudo blockdev --se ...

  5. make TARGET_PRODUCT=am335xevm OMAPES=4.x rowboat_clean 出现sgx相关的错误

    这些错误是一些链接错误,由于地址变更导致的软链接不对.所以只要更改下软链接的具体地址就可以.

  6. Server的Transfer和Response的Redirect

    在实现页面跳转的时候,有些人喜欢用Response.Redirect,而有些人则喜欢用Server.Transfer.大部分时间似乎这两种方法都可以实现相同的功能,那究竟有区别吗? 查了些文档,发现两 ...

  7. ng-option小解

    ng-option 有数组,对象两种情况,但目前只接触过数组 数组: label for value in array 分为一般数组和对象数组 一般数组: <select ng-model=&q ...

  8. C++随机崩溃捕捉处理

    1. 会引起异常的几个原因(主要记录目前遇到过的几个问题) 程序读取了无效的内存地址 堆栈的溢出,比如无限循环导致那段内存溢出,比如把size为20的缓存拷贝到size为10的缓存块等 无法申请到有效 ...

  9. UVALive 2678 大于s的最短子序列和

    input n s 10<=n<=100000,s<1e9 a1 a2 ... an  ai<=10000 output 大于s的最短子序列和的长度,没有输出0 #includ ...

  10. Object对象

    1.Object类:所有类的根类.是不断抽取而来的,具备所有对象都具有的共性内容.其中的方法,任何对象都可以调用.继承而来的. equals()方法: Object类的equals源码:比较两个对象是 ...