WCF依赖注入和抽象工厂

时间:2010-01-30 17:26:39

标签: wcf dependency-injection factory-pattern

我有这个wcf方法

Profile GetProfileInfo(string profileType, string profileName)

和业务规则:

如果profileType是从数据库读取的“A”。

如果profileType是从“xml文件”读取的“B”。

问题是:如何使用依赖注入容器实现它?

2 个答案:

答案 0 :(得分:23)

我们首先假设您有一个类似这样的IProfileRepository:

public interface IProfileRepository
{
     Profile GetProfile(string profileName);
}

以及两个实施:DatabaseProfileRepositoryXmlProfileRepository。问题是您希望根据profileType的值选择正确的值。

您可以通过引入此抽象工厂

来实现此目的
public interface IProfileRepositoryFactory
{
    IProfileRepository Create(string profileType);
}

假设已将IProfileRepositoryFactory注入到服务实现中,您现在可以像这样实现GetProfileInfo方法:

public Profile GetProfileInfo(string profileType, string profileName)
{
    return this.factory.Create(profileType).GetProfile(profileName);
}

IProfileRepositoryFactory的具体实现可能如下所示:

public class ProfileRepositoryFactory : IProfileRepositoryFactory
{
    private readonly IProfileRepository aRepository;
    private readonly IProfileRepository bRepository;

    public ProfileRepositoryFactory(IProfileRepository aRepository,
        IProfileRepository bRepository)
    {
        if(aRepository == null)
        {
            throw new ArgumentNullException("aRepository");
        }
        if(bRepository == null)
        {
            throw new ArgumentNullException("bRepository");
        }

        this.aRepository = aRepository;
        this.bRepository = bRepository;
    }

    public IProfileRepository Create(string profileType)
    {
        if(profileType == "A")
        {
            return this.aRepository;
        }
        if(profileType == "B")
        {
            return this.bRepository;
        }

        // and so on...
    }
}

现在你只需要选择你的DI容器就可以为你安排......

答案 1 :(得分:4)

Mark给出了很好的答案,但是给出的解决方案不是抽象工厂,而是标准工厂模式的实现。请检查Marks类如何适合标准工厂模式UML图。 Click here to see above classes applied to Factory pattern UML

由于在Factory模式中,工厂知道具体的类,我们可以使(dateReservation,duree,prix)的代码更简单,如下所示。将不同的存储库注入工厂的问题是每次添加新的具体类型时都会有更多的代码更改。使用以下代码,您只需更新开关以包含新的具体类

ProfileRepositoryFactory

抽象工厂是更高级的模式,用于创建相关或从属对象的族,而不指定其具体类。可用的UML类图here解释得很清楚。