最佳答案
我们正在开发一个 ASP.NET MVC 应用程序,现在正在构建存储库/服务类。我想知道创建一个所有存储库都实现的通用 IRepository 接口相对于每个存储库都有自己独特的接口和方法集是否有什么主要的优势。
例如: 通用 IRepository 接口可能看起来像(取自 这个答案) :
public interface IRepository : IDisposable
{
T[] GetAll<T>();
T[] GetAll<T>(Expression<Func<T, bool>> filter);
T GetSingle<T>(Expression<Func<T, bool>> filter);
T GetSingle<T>(Expression<Func<T, bool>> filter, List<Expression<Func<T, object>>> subSelectors);
void Delete<T>(T entity);
void Add<T>(T entity);
int SaveChanges();
DbTransaction BeginTransaction();
}
每个 Repository 都将实现这个接口,例如:
我们在以前的项目中采用的替代方案是:
public interface IInvoiceRepository : IDisposable
{
EntityCollection<InvoiceEntity> GetAllInvoices(int accountId);
EntityCollection<InvoiceEntity> GetAllInvoices(DateTime theDate);
InvoiceEntity GetSingleInvoice(int id, bool doFetchRelated);
InvoiceEntity GetSingleInvoice(DateTime invoiceDate, int accountId); //unique
InvoiceEntity CreateInvoice();
InvoiceLineEntity CreateInvoiceLine();
void SaveChanges(InvoiceEntity); //handles inserts or updates
void DeleteInvoice(InvoiceEntity);
void DeleteInvoiceLine(InvoiceLineEntity);
}
在第二种情况下,表达式(LINQ 或其他)将完全包含在 Repository 实现中,实现服务的人只需要知道要调用哪个存储库函数。
我想我没有看到在服务类中编写所有表达式语法并传递到存储库的好处。这是否意味着在许多情况下,易于操作的 LINQ 代码正在被复制?
例如,在我们的旧发票系统中,我们调用
InvoiceRepository.GetSingleInvoice(DateTime invoiceDate, int accountId)
从几个不同的服务(客户,发票,帐户等)。这似乎比在多个地方写下面的内容要干净得多:
rep.GetSingle(x => x.AccountId = someId && x.InvoiceDate = someDate.Date);
我认为使用这种特定方法的唯一缺点是,我们最终可能会得到许多 Get * 函数的排列,但这似乎仍然比将表达式逻辑推到 Service 类中要好。
我错过了什么?