.net架构:一般创建一个IRepository <t> </t>

时间:2008-12-08 11:48:05

标签: .net generics architecture repository-pattern

我正在使用通用存储库接口,它允许我添加,查找,更新和删除不同类型的对象。然后我实现了两个具体的存储库,可以在不更改应用程序的情况下切换它们。一切都奇妙地断开了。但我遇到了障碍。我的存储库方法中的代码感觉不对,我无法弄清楚如何做得更好。以下是我的代码片段:

public class OracleRepository<T> : IRepository<T> where T : new()
{
    public IQueryable<T> GetAll()
    {
        if (typeof(T) == typeof(Object1))
        {
            return (IQueryable<T>)DataAccess.GetAllObject1().AsQueryable();

        }

        if (typeof(T) == typeof(Object2))
        {
            return (IQueryable<T>)DataAccess.GetAllObject2().AsQueryable();
        }

        throw new NotImplementedException();
    }
}

问题是我的DataAccess(从datareader创建对象)不是通用的,并且对于它支持的每种类型的对象都有特定的方法。

我可以重写上面的内容,以便使用泛型或其他方法避免使用if-then-elseif列表吗?

1 个答案:

答案 0 :(得分:11)

一种常见的模式是使用字典从类型到相关类型的函数。例如:

private static readonly IDictionary<Type, Func<object>> Fetchers =
    new Dictionary<Type, Func<object>>();
    {
        (typeof(Object1), () => DataAccess.GetAllObject1().AsQueryable()),
        (typeof(Object2), () => DataAccess.GetAllObject2().AsQueryable()),
        // etc
    };

public IQueryable<T> GetAll()
{
    Func<object> func = Fetchers[typeof(T)];
    if (func == null)
    {
        throw new NotImplementedException();
    }
    return (IQueryable<T>) func();
}

演员阵容是因为你无法真正表达字典中的类型关系,但至少它更容易添加新类型等。

您可以将通话移至AsQueryable()GetAll(),具体取决于GetAllObject1()等返回的内容。