我正在使用所述的DbContextScope

在关于如何在实例化的类之外获取dbcontext的示例中,Mehdi写道:

public class UserRepository : IUserRepository {
    private readonly IAmbientDbContextLocator _contextLocator;

    public UserRepository(IAmbientDbContextLocator contextLocator)
    {
        if (contextLocator == null) throw new ArgumentNullException("contextLocator");
        _contextLocator = contextLocator;
    }

    public User Get(Guid id)
    {
        return _contextLocator.Get<MyDbContext>.Set<User>().Find(id);
    }
}


但是,如果我要使用通用存储库,请说

public abstract class RepositoryBase<T> : IRepository<T> where T : class, IDomainEntity
{
    private readonly DbSet<T> set;

    private IAmbientDbContextLocator contextLocator;

    protected RepositoryBase(IAmbientDbContextLocator ctxLocator)
    {
        if (ctxLocator == null) throw new ArgumentNullException(nameof(ctxLocator));
        contextLocator = ctxLocator;
    }

    public T Get(Guid id)
    {
        //return _contextLocator.Get<MyDbContext>.Set<T>().Find(userId);
    }
}


那么应该如何解决dbset?如何在Get方法中使用“ MyDbContext”?
我确实有多种情况。

最佳答案

   public abstract class RepositoryBase<T, TDbContext> : IRepository<T> where T : IDomainEntity where TDbContext : DbContext
    {
        private readonly DbSet<T> _dbset;
        private readonly IAmbientDbContextLocator _contextLocator;

        protected RepositoryBase(IAmbientDbContextLocator ctxLocator)
        {
            if (ctxLocator == null) throw new ArgumentNullException(nameof(ctxLocator));
            _contextLocator = ctxLocator;
            _dbset = _contextLocator.Get<TDbContext>.Set<T>();
        }

        protected DbSet<T> DbSet { get { return _dbset; } }
        public T Get(Guid id)
        {
            return DbSet.Find(id);
        }
    }


如果您不想使用TDbContext,则可以在DbContext旁边的构造函数上发送contextlocator。但是他强迫您使用DbContextScope,我没有阅读所有文章,但我们不要破坏他的逻辑。

10-09 01:09