Unity IoC Lifetime per HttpRequest for UserStore

本文关键字:for UserStore HttpRequest per IoC Lifetime Unity | 更新日期: 2023-09-27 17:56:51

我正在尝试清理AccountController的默认实现.cs这是在新的MVC5/Owin安全实现中开箱即用的。 我已经修改了我的构造函数,如下所示:

private UserManager<ApplicationUser> UserManager;
public AccountController(UserManager<ApplicationUser> userManager)
{
    this.UserManager = userManager;
}

此外,我还为 Unity 创建了一个终身管理器,如下所示:

 public class HttpContextLifetimeManager<T> : LifetimeManager, IDisposable
    {
        private HttpContextBase _context = null;
        public HttpContextLifetimeManager()
        {
            _context = new HttpContextWrapper(HttpContext.Current);
        }
        public HttpContextLifetimeManager(HttpContextBase context)
        {
            if (context == null)
                throw new ArgumentNullException("context");
            _context = context;
        }
        public void Dispose()
        {
            this.RemoveValue();
        }
        public override object GetValue()
        {
            return _context.Items[typeof(T)];
        }
        public override void RemoveValue()
        {
            _context.Items.Remove(typeof(T));
        }
        public override void SetValue(object newValue)
        {
            _context.Items[typeof(T)] = newValue;
        }
    }

我不确定如何在我的 UnityConfig.cs 中编写它,但这是我到目前为止所拥有的:

container.RegisterType<UserManager<ApplicationUser>>(new HttpContextLifetimeManager(new UserManager<ApplicationUser>(new UserStore<ApplicationUser>(new RecipeManagerContext()))));

我确实找到了另一个示例(使用 AutoFac)以这种方式执行此操作:

container.Register(c => new UserManager<ApplicationUser>(new UserStore<ApplicationUser>( new RecipeManagerContext())))
                .As<UserManager<ApplicationUser>>().InstancePerHttpRequest();

如何使用 Unity IoC 生命周期管理来翻译上述语句?

Unity IoC Lifetime per HttpRequest for UserStore

您为

特定生存期注册UserManager的方法是正确的。但是,我不明白为什么它甚至编译,因为您的HttpContextLifetimeManager期望将HttpContext作为参数。

另一个问题是你的实现是错误的。无参数构造函数采用当前的 http 上下文,但是您希望生存期管理器使用创建实例的上下文,而不是注册类型的上下文。如果使用无参数构造函数,这可能会导致 http 上下文不匹配问题。

首先,将实现更改为

public class HttpContextLifetimeManager : LifetimeManager
{
 private readonly object key = new object();
 public override object GetValue()
 {
     if (HttpContext.Current != null && 
         HttpContext.Current.Items.Contains(key))
         return HttpContext.Current.Items[key];
     else
         return null;
 }
 public override void RemoveValue()
 {
     if (HttpContext.Current != null)
         HttpContext.Current.Items.Remove(key);
 }
 public override void SetValue(object newValue)
 {
     if (HttpContext.Current != null)
         HttpContext.Current.Items[key] = newValue;
 }
}

,然后注册您的类型

container.RegisterType<UserManager<ApplicationUser>>( new HttpContextLifetimeManager() );