我正在尝试使用依赖注入工作,但我遇到了一些问题。
我有以下代码来获取用户和相关角色。
public virtual User GetUser(string username,string password,evolutiondbEntities context, IUserRole userRoleRepository)
{
User systemUser = new User();
using(context)
{
systemUser = (from u in context.Users where u.Username == username && u.UserPassword == password select u).FirstOrDefault();
List<IUserRole> roleList = userRoleRepository.GetRoles(systemUser.UserID);
systemUser._roles = roleList;
}
return systemUser;
}
GetRoles方法的代码如下
public List<IUserRole> GetRoles(string userID,evolutiondbEntities context)
{
List<IUserRole> roleList = new List<IUserRole>();
using(context)
{
roleList = (from r in context.UserRoles where r.UserID == userID select r).ToList<IUserRole>();
}
return roleList;
}
代码正确地提取用户,但是当它调用GetRoles()方法时,上下文似乎已被处理,因此失败。
注意:我知道我应该传递一个上下文的界面,但我还没有那么远。
答案 0 :(得分:0)
您应该将上下文注入您的服务,并在没有using
块的情况下使用它,因为using
块结束了上下文。您IoC容器负责在您指示时实例化和处理创建的对象。
所以你通常会这样:
IoC注册:
container.For<Context>().Use<Context>();
在你的服务中:
public class SomeService : ISomeService
{
private readonly Context _context;
private readonly IUserRole _userRoleRepository;
public SomeService(Context context, IUserRole userRoleRepository)
{
_context = context;
_userRoleRepository = userRoleRepository;
}
public virtual User GetUser(string username, string password)
{
User systemUser = new User();
systemUser = (from u in _context.Users where u.Username == username && u.UserPassword == password select u).FirstOrDefault();
List<IUserRole> roleList = _userRoleRepository.GetRoles(systemUser.UserID);
systemUser._roles = roleList;
return systemUser;
}
}
答案 1 :(得分:0)
我使用Ninject过去曾遇到过类似的问题。如果您不使用Ninject,那么您的IoC很可能会有类似的东西。
在针对上下文的Ninjects绑定下,我必须使用.InRequestScope()方法。
kernel.Bind<EmployeeDbContext>().ToSelf().InRequestScope();