13

我有以下课程:

public interface IServiceA
{
    string MethodA1();
}

public interface IServiceB
{
    string MethodB1();
}

public class ServiceA : IServiceA
{
    public IServiceB serviceB;

    public string MethodA1()
    {
        return "MethodA1() " +serviceB.MethodB1();
    }
}

public class ServiceB : IServiceB
{
    public string MethodB1()
    {
        return "MethodB1() ";
    }
}

我使用 Unity for IoC,我的注册如下所示:

container.RegisterType<IServiceA, ServiceA>(); 
container.RegisterType<IServiceB, ServiceB>(); 

当我解决一个ServiceA实例时,serviceB将是null. 我该如何解决这个问题?

4

1 回答 1

19

您在这里至少有两个选择:

您可以/应该使用构造函数注入,因为您需要一个构造函数:

public class ServiceA : IServiceA
{
    private IServiceB serviceB;

    public ServiceA(IServiceB serviceB)
    {
        this.serviceB = serviceB;
    }

    public string MethodA1()
    {
        return "MethodA1() " +serviceB.MethodB1();
    }
}

或者 Unity 支持属性注入,因为您需要一个属性和DependencyAttribute

public class ServiceA : IServiceA
{
    [Dependency]
    public IServiceB ServiceB { get; set; };

    public string MethodA1()
    {
        return "MethodA1() " +serviceB.MethodB1();
    }
}

MSDN 站点Unity 做什么?是 Unity 的一个很好的起点。

于 2012-04-22T11:33:37.793 回答