0

我正在重构持久层以使用真正的通用存储库,并希望最大限度地减少在不同表上执行的类似查询的数量 - 想想像从表 a、b 或 c 中获取 id 之类的事情,其中​​仅查询因表而异。

到目前为止,我的存储库如下所示:

public interface IRepository<T>
{
    void Insert(T entity);
    void Update(T entity);
}

public class BaseRepository<TEntity> : IRepository<TEntity> where TEntity : class
{
    /// ctor stuff omitted ...

    public void Insert(TEntity entity)
    {
        _db.Insert<TEntity>(entity);
    }

    public void Update(TEntity entity)
    {
        _db.Update<TEntity>(entity);
    }
}

public interface IDerivedRepository : IRepository<MyEntity>
{
    // defines interface methods not found on the base IRepository
}

public class DerivedRepository : BaseRepository<MyEntity>, IDerivedRepository
{
    // implements methods defined on IDerivedRepository, and inherits Insert and Update from BaseRepository
}

这很好用,因为任何新的存储库都可以继承基础存储库上定义的方法,这些方法与类型无关,因为我可以简单地发送一个实体,我的 ORM (NPoco) 管理插入/更新。

我想扩展它以允许简单的 get/fetch 类型方法的通用基本定义 - 通过 id 或简单计数获取是明显的例子。目前,我在适当的存储库中实现这些,因此最终会使用多个存储库方法(在不同的存储库中)调用本质上相同的代码。

下面的示例已简化(_db 管理范围等),但突出显示了我要避免的内容 - 表和返回类型不同的重复 GetById 方法

public class DerivedRepositoryA : BaseRepository<A>, IDerivedARepository
{
    public A GetById(int id) {
        return _db.Fetch<A>("select * from TableA where id = @0", id);
    }
}

public class DerivedRepositoryB : BaseRepository<B>, IDerivedBRepository
{
    public B GetById(int id) {
        return _db.Fetch<B>("select * from TableB where id = @0", id);
    }
}

public class DerivedRepositoryC : BaseRepository<C>, IDerivedCRepository
{
    public C GetById(int id) {
        return _db.Fetch<C>("select * from TableC where id = @0", id);
    }
}

有可能吗,我该怎么做?

4

2 回答 2

1

下面的BaseRepository<TEntity>实现默认使用类型名作为表名,但如果需要,允许使用与类型名不同的自定义表名。

public class BaseRepository<TEntity> : IRepository<TEntity> where TEntity : class
{
    private readonly string tableName;

    public BaseRepository() : this(typeof(TEntity).Name)
    {

    }

    public BaseRepository(string tableName)
    {
        this.tableName = tableName;
    }

    public TEntity GetById(int id)
    {
        return _db.Fetch<TEntity>($"select * from Table{tableName} where id = {id}");
    }
}
于 2019-03-06T01:33:07.157 回答
0

你不需要表名,这会工作

    return _db.Single<TEntity>("where id = @id", id);  //Or Fetch

你可以做这样的事情,让 NPoco 处理 SQL。您也可以将其用于 Save< T >() 或 Delete < T >()

    public T GetByID<T>(Int32 ID)
    {
        try
        {
            if (ID == 0)
                throw (new ArgumentNullException("ID cannot be 0"));

            return _db.SingleOrDefaultById<T>(ID);
        }
        catch { throw; }
    }
于 2019-04-04T16:20:59.423 回答