我有一个通用的存储库接口,它具有从服务层保存,读取和查询的常用方法,如下所示:
public interface IRepository<T>
{
T GetById(int id);
void Save(T entity);
void Update(T entity);
void Delete(T entity);
IEnumerable<T> GetAll();
}
如果我有服务,例如用户服务使用IRepository
的具体实现,User
作为其类型(IRepository<User>
),如果服务本身可能需要某些内容来自另一个IRepository
说IRepository<Admin>
服务应该直接调用IRepository<Admin>
,还是应该调用关联服务(即主要处理IRepository<Admin>
存储库的服务)?
如果你直接从存储库中提取项目,我个人可以看到一个问题,如果你想在结果返回给客户端之前应用某些业务规则,但另一方面服务可能想要工作原始结果集并将自己的规则应用于结果,所以我对于采取哪个方向感到有点困惑,任何建议都会非常感激。
答案 0 :(得分:1)
如果所有存储库的实现细节相同,您可以创建一个抽象的BaseRepository,例如:
protected abstract class BaseRepo<T> : IRepository<T>
where T : class
{
#region IRepository Members
// Implement all IRepository members here and make them public
#endregion
}
然后您可以创建专用的AdminRepository,例如:
public class AdminRepo : BaseRepo<Admin> {}
要从另一个存储库调用,您可以执行以下操作:
public class UserRepo : BaseRepo<User>
{
private AdminRepo adminRepo = new AdminRepo();
public UserRepo()
{
Admin person = adminRepo.GetById(1);
}
}
希望有所帮助。