我已经阅读了很多关于存储库模式实现的内容,但我仍然无法找到如何实现实体投影查询?
例如,我有大而复杂的产品实体,但我想只显示产品的名称和它的ID。 我应该在哪里实施这一预测?在我的实体存储库或调用者代码中?
答案 0 :(得分:0)
我在存储库中执行此操作。
例如,我的ProductRepository接口如下所示:
interface IProductRepository
{
Product Get( int productId );
void Save( Product product );
ProductView FindProducts(string productNameSearch);
}
其中ProductView
是Product
的简化表示。 (例如,仅包含名称和ID)。
获取ProductView的投影是必须抽象出来的,而且存储库是一个很好的地方,imho。
答案 1 :(得分:0)
我最近一直梦想着以下模式:
interface IRepository
{
Product FindByName(string name);
ProjectionType FindByName<ProjectionType>(string name,
Expression<Func<Product, ProjectionType>> selector);
// ...
}
使用此模式,您可以使用LINQ表达式和匿名类动态指定投影,如下所示:
var productView = repository.FindByName("foo",
p => new { p.SomeProperty, p.SomeOtherProperty } );
我认为这很整洁。使用NHibernate.Linq,实现可能如下所示:
ProjectionType FindByName<ProjectionType>(string name, Expression<Func<Product, ProjectionType>> selector)
{
using(var session = this.sessionFactory.OpenSession()) {
return session.Linq<Product>()
.Where(p => p.Name.Equals(name))
.Select(selector)
.SingleOrDefault();
}
}
免责声明:请注意上述代码中的错误或错误风格。可能甚至没有编译。这只是我的头脑。但我认为这个想法应该很清楚。
有什么想法吗?
答案 2 :(得分:0)