属性注入值在构造函数中为null

时间:2017-02-16 23:37:57

标签: c# dependency-injection autofac property-injection

我使用OWIN中间件(使用startup.cs而不是global.asax)在我的ASP.NET MVC 5 Web应用程序中连接Autofac依赖注入,并尝试使用属性注入在其中设置公共变量控制器。

我正在玩属性注入,让Autofac自动在LoginController中设置Test属性。

public interface ITest
{
    string TestMethod();
}

public class Test : ITest
{
    public string TestMethod()
    {
        return "Hello world!";
    }
}

public class LoginController : Controller
{
    public ITest Test { get; set; }

    public LoginController()
    {
        var aaa = Test.TestMethod();

        // Do other stuff...
    }
}

这是我的startup.cs的样子。我一直在玩,所以可能不需要这些代码(或导致我的问题?)。

public class Startup
{
    public void Configuration(IAppBuilder app)
    {
        var builder = new ContainerBuilder();
        builder.RegisterControllers(Assembly.GetExecutingAssembly()).PropertiesAutowired();
        builder.RegisterType<Test>().As<ITest>().SingleInstance();
        builder.Register(c => new Test()).As<ITest>().InstancePerDependency();

        builder.RegisterType<ITest>().PropertiesAutowired();
        builder.RegisterType<LoginController>().PropertiesAutowired();

        builder.RegisterModelBinderProvider();
        builder.RegisterFilterProvider();

        var container = builder.Build();

        DependencyResolver.SetResolver(new AutofacDependencyResolver(container));

        app.UseAutofacMiddleware(container);

        AreaRegistration.RegisterAllAreas();
        FilterConfig.RegisterGlobalFilters(GlobalFilters.Filters);
        RouteConfig.RegisterRoutes(RouteTable.Routes);

        // Some other stuff...
    }
}

所以,&#39;测试&#39;公共属性始终为null,因此在运行时中断。

任何想法可能是我的问题?谢谢你的帮助! :)

1 个答案:

答案 0 :(得分:6)

  

因此,'Test'公共属性始终为null,因此在运行时中断。

它并不总是空的。它在构造函数中为null,因为在构造函数完成之前,Autofac(实际上是所有代码)无法设置属性。

public class LoginController : Controller
{
    public ITest Test { get; set; }

    public LoginController()
    {
        // Test is null, will always be null here
        var aaa = Test.TestMethod();
    }
}

autofac的超级版本就像:

var controller = new LoginController();
controller.Test = new Test();

如果你需要在设置属性后执行代码,你可以像下面那样做一些hacky(但实际上你应该只使用构造函数注入):

public class LoginController : Controller
{
    private ITest _test;
    public ITest Test 
    { 
      get { return _test; }
      set 
      {
        var initialize = (_test == null);
        _test = value;
        if (initialize)
        {
          Initialize();
        }
      }
    }

    public LoginController()
    {
    }

    private void Initialize()
    {
      var aaa = Test.TestMethod();
    }
}

再次采用更合乎逻辑的方式:

public class LoginController : Controller
{
    private readonly ITest _test;

    public LoginController(ITest test)
    {
        _test = test;
        var aaa = _test.TestMethod();

        // Do other stuff...
    }
}