Autofac不会自动将属性连接到自定义类

时间:2016-02-05 14:49:32

标签: c# asp.net-mvc autofac asp.net-4.5

我正在尝试使用Autofac自动装配属性为控制器调用的自定义类设置一个类。我有一个设置测试项目来展示这一点。我的解决方案中有两个项目。 MVC Web应用程序和服务类库。这是代码:

在服务项目中,AccountService.cs:

public interface IAccountService
{
    string DoAThing();
}

public class AccountService : IAccountService
{
    public string DoAThing()
    {
        return "hello";
    }
}

现在剩下的就是MVC网络项目。

的Global.asax.cs

var builder = new ContainerBuilder();

builder.RegisterControllers(Assembly.GetExecutingAssembly()).PropertiesAutowired();

builder.RegisterAssemblyTypes(typeof(AccountService).Assembly)
   .Where(t => t.Name.EndsWith("Service"))
   .AsImplementedInterfaces().InstancePerRequest();

builder.RegisterType<Test>().PropertiesAutowired();

builder.RegisterFilterProvider();

var container = builder.Build();
DependencyResolver.SetResolver(new AutofacDependencyResolver(container));

test.cs中:

public class Test
{
    //this is null when the var x = "" breakpoint is hit.
    public IAccountService _accountService { get; set; }

    public Test()
    {

    }

    public void DoSomething()
    {
        var x = "";
    }
}

HomeController.cs

public class HomeController : Controller
{
    //this works fine
    public IAccountService _accountServiceTest { get; set; }
    //this also works fine
    public IAccountService _accountService { get; set; }

    public HomeController(IAccountService accountService)
    {
        _accountService = accountService;
    }
    public ActionResult Index()
    {
        var t = new Test();
        t.DoSomething();
        return View();
    }

//...
}

从上面的代码中可以看出,_accountServiceTest_accountService在控制器中工作正常,但在DoSomething() Test.cs方法中设置断点时,_accountService始终为空,无论我放入global.asax.cs

1 个答案:

答案 0 :(得分:2)

使用new创建对象时,autofac对此对象一无所知。因此,IAccountService始终为null,这是正常的。

这样的正确方法: 设置Test类的接口并注册它。然后将此接口添加到HomeController构造函数中。

public HomeController(IAccountService accountService,ITest testService)
相关问题