我正在尝试在.net核心项目中使用存储库/ UuW模式。我看了很多Web上的实现。在所有实现中,存储库都是作为IUnitOfWork中的属性创建的。
将来,如果我们有50个存储库,则需要在Work Unit中拥有50个属性。任何人都可以提出一种更好的方法来实现存储库/ UoW。
请在下面找到我目前已实现的方法的代码段。
IUnitOfWork.cs
IStudentRepository Student { get; set; }
IClassRepository Class { get; set; }
void Complete();
UnitOfWOrk.cs
public class unitofwork {
private readonly CollegeContext _context;
IStudentRepository Student { get; set; }
IClassRepository Class { get; set; }
public UnitOfWork(CollegeContext CollegeContext)
{
this._context = CollegeContext;
Student = new StudentRepository(_context);
Class = new ClassRepository(_context);
}
public void Complete()
{
return _context.SaveChanges();
}
}
学生和类存储库分别继承自通用存储库类和IStudentRepository和IClassRepository。
StudentRepository.cs
public class StudentRepository : Repository<Student> , IStudentRepository
{
private readonly CollegeContext context;
private DbSet<Student> entities;
public StudentRepository(CollegeContext context) : base(context)
{
this.context = context;
entities = context.Set<Student>();
}
}
答案 0 :(得分:0)
每个存储库的属性在某些情况下并不方便。我通常在UoW类中使用某种工厂方法,如下所示:
public class unitofwork
{
private readonly CollegeContext _context;
IStudentRepository Student { get; set; }
IClassRepository Class { get; set; }
public UnitOfWork(CollegeContext CollegeContext)
{
this._context = CollegeContext;
}
public T CreateRepository<T>() where T : IRepository
{
IRepository repository = null;
if(typeof(T) == typeof(IStudentRepository))
repository = new StudentRepository(_context);
......
......
else
throw new XyzException("Repository type is not handled.");
return (T)repository;
}
public void Complete()
{
return _context.SaveChanges();
}
}
public interface IRepository
{
Guid RepositoryId { get; }
}
我的IRepository
仅拥有一个简单的属性。您可以根据需要扩展此接口。