如何通过接口、基础和具体实现存储库模式
我几乎已经通过一个 IRepository
接口、一个 NewsRepository
类和一个 News
实体完成了我的存储库模式的实现。 我遇到的问题是尝试将通用方法抽象为基本存储库类。
我找不到在 NewsRepository
中抽象 Get 方法的方法,因为它包含特定的 Linq 表达式。
我的问题是:
1)我如何将public T Get(int id)
方法抽象为基类? 到目前为止,我做到这一点的唯一方法是传入 Expression
而不是 int,但是这个 deosn 并没有真正抽象出每个子的常见行为类仍然需要传递一个在每种情况下几乎相同的表达式,即 n =>; n.id == id
。
2) 如何将子类 GetViolations 和映射方法传递到基类的 Update 方法中? 我想解决方案可能是通过使用委托,但我无法获得编译语法
这是一组简化的代码 - 实际上我有一个 Save 方法,它执行更新和插入,而不仅仅是此处显示的更新。
public interface IRepository<T>
{
T Get(int id);
void Update(T item);
}
public class NewsRepository : IRepository<News>
{
private Table<News> _newsTable;
public NewsRepository(string connectionString)
{
_newsTable = new DataContext(connectionString).GetTable<News>();
}
public News Get(int id)
{
return _newsTable.SingleOrDefault(n => n.NewsId == id);
}
public void Update(News item)
{
var errors = item.GetRuleViolations();
if (errors.Count > 0)
throw new RuleException(errors);
News dbNews = _newsTable.SingleOrDefault(n => n.NewsId == item.NewsId);
map(dbNews, item);
_newsTable.Context.SubmitChanges();
}
private void map(News dbNews, News news)
{
dbNews.Title = news.Title;
dbNews.Article = news.Article;
}
}
public class Repository<T> where T : class
{
protected Table<T> _table;
public Repository(Table<T> t)
{
_table = t;
}
//How do i do this??! - This doesn't compile due to T no having a NewsId
public T Get(int id)
{
return _table.SingleOrDefault(n => n.NewsId == id);
}
//This seems to be a solution, but it's not really abstracting common behaviour as each
//sub-class will still need to pass in the same linq expression...
public T Get(Expression<Func<T,bool>> ex)
{
return _table.SingleOrDefault(ex);
}
public void Update(T item)
{
//How is it possible to pass in the GetRuleViolations and map functions to this method?
var errors = item.GetRuleViolations();
if (errors.Count > 0)
throw new RuleException(errors);
T dbNews = _table.SingleOrDefault(n => n.NewsId == item.NewsId);
map(dbNews, item);
_table.Context.SubmitChanges();
}
}
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(2)
这是一个示例:
另请参阅 http://msdn.microsoft.com/en -us/library/bb397951.aspx
Here is an example:
See also http://msdn.microsoft.com/en-us/library/bb397951.aspx
拥有实体的层超类型。 他们将共享一个 Id 属性。 您不必处理表示 id 属性的表达式,您只需知道它是什么即可。
模板方法模式。 在此模式中,您的基本 Update 会按顺序执行调用帮助器方法的所有工作,并且您的派生类实现这些受保护的抽象帮助器方法。
It really helps to have a layer supertype for entities. They will share an Id property. You won't have to deal with an expression to represent the id proeprty, you'll just know what it is.
The template method pattern. In this pattern your base Update does all the work calling helper methods in order, and your derived classes implement those protected abstract helper methods.