我一直在将一些代码转换为异步方法。 我有一个工作单元/存储库/服务设计模式,我的存储库看起来像这样:
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 。所以我决定也许我应该单独留下存储库并专注于服务,所以我有这个方法:
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&#39; System.Linq.IQueryable&#39;不包含&#39; ToListAsync&#39;的定义没有扩展方法&#39; ToListAsync&#39;接受类型为'System.Linq.IQueryable&#39;的第一个参数;可以找到(你错过了使用指令或程序集引用吗?)
有人能指出我正确的方向吗?
答案 0 :(得分:6)
正如@mostruash指出的那样,如果我将使用System.Data.Entity 放入我的类引用中,它会编译并正常工作。