异步EntityFramework操作
本文关键字:操作 EntityFramework 异步 | 更新日期: 2023-09-27 18:21:28
我一直在将一些代码转换为异步方法。我有一个工作单元/存储库/服务设计模式,我的存储库看起来像这样:
public class Repository<T> : IDisposable, IRepository<T> where T : class
{
private readonly DbContext context;
private readonly DbSet<T> dbEntitySet;
public Repository(DbContext context)
{
if (context == null)
throw new ArgumentNullException("context");
this.context = context;
this.dbEntitySet = context.Set<T>();
}
public IQueryable<T> GetAll(params string[] includes)
{
IQueryable<T> query = this.dbEntitySet;
foreach (var include in includes)
query = query.Include(include);
return query;
}
public void Create(T model)
{
this.dbEntitySet.Add(model);
}
public void Update(T model)
{
this.context.Entry<T>(model).State = EntityState.Modified;
}
public void Remove(T model)
{
this.context.Entry<T>(model).State = EntityState.Deleted;
}
public void Dispose()
{
this.context.Dispose();
}
}
在这个类中,我想使GetAll方法异步。我发现一篇文章将此作为一种方法:
public async Task<List<T>> GetAllAsync()
{
return await this.dbEntitySet.ToListAsync();
}
这一切都很好,但在向用户返回任何内容之前,我需要添加string[]includes。因此,我决定也许我应该离开Repository,专注于服务,所以我有了这个方法:
public IList<User> GetAllAsync(params string[] includes)
{
return this.Repository.GetAll(includes).ToList();
}
我试着把它改成这个:
public async Task<List<User>> GetAllAsync(params string[] includes)
{
return await this.Repository.GetAll(includes).ToListAsync();
}
但是我得到一个错误:
错误1"System.Linq.IQueryable"不包含"ToListAsync"的定义,并且找不到接受类型为"System.Linq.IQueriable"的第一个参数的扩展方法"ToList异步"(是否缺少using指令或程序集引用?)
有人能给我指正确的方向吗?
正如@mostruesh所指出的,如果我使用System.Data.Entity将放入类引用中,它会编译并正常工作。