因此我们使用带有通用存储库的C#来执行从db检索记录等操作。所以我们在实现类中有这样的东西。
public async Task<IList<TEntity>> GetAllAsync(Expression<Func<TEntity, bool>> predicate)
{
IQueryable<TEntity> query = (predicate != null) ? context.Set<TEntity>().Where(predicate) : context.Set<TEntity>();
return await query.ToListAsync();
}
这里我们使用where子句进行一些过滤。我们面临一些困难的地方是如何利用我们可用的LINQ扩展方法。现在我们有了一个服务,它通过一个工作单元使用通用存储库类。为简单起见,我省略了工作单元。
public async Task<List<Product>> GetStockTransactionsAsync(string warehouse, string product)
{
var stockTransation= await _unitOfWork.stockRepository.GetAllAsync(p => p.product == product && p.warehouse == warehouse);
return null;
}
假设我们现在只想使用LINQ方法语法,这样的东西可以在我们的Service类方法中使用。
var stockTransation= (await _unitOfWork.stockRepository.GetAllAsync(p => p.product == product && p.warehouse == warehouse)).Take(5);
通过这样做,我们破坏了我真正热衷于维护的IQueryable东西,因为db的大小很大;我们想运行SQL,而不是在内存中做任何事情。
是否有一种传递LINQ方法语法的好方法,就像我们为select或includes所做的位置或内容的谓词一样。所以我们可以在通用存储库方法中使用Take(n),Max,Sum()等等。有没有人知道这方面的好方法?
答案 0 :(得分:1)
看起来你太复杂了
您只需从存储库中返回public interface IGenericRepository
{
IQueryable<TEntity> Set<TEntity>();
}
public class EntityFrameworkRepository : IGenericRepository
{
// ...
public IQueryable<TEntity> Set<TEntity>()
{
return _context.Set<TEntity>();
}
}
// usage
IGenericRepository repository = ...;
var stockTransation = repository.Set<Product>()
.Where(p => p.product == product && p.warehouse == warehouse)
.Take(5)
.ToArray();
:
.ToArray()
在这种情况下,SQL查询将仅在public static class QueryableExtensions
{
// This one doesn't make much sense, actually
public static IQueryable<TEntity> GetAll(this IQueryable<TEntity> queryable, Expression<Func<TEntity, bool>> predicate)
{
return predicate == null
? queryable
: queryable.Where(predicate);
}
}
// usage
IGenericRepository repository = ...;
var stockTransation = repository.Set<Product>()
.GetAll(p => p.product == product && p.warehouse == warehouse)
.Take(5)
.ToArray();
之后生成并执行,只能获取符合此条件的5个项目 - 不会进行内存中过滤。
如果需要实现任何自定义方法,可以像LINQ一样的方式将其作为扩展方法:
{{1}}
我已经以同步方式实现它以使其更简单,但它可以很容易地转换为异步代码。