4

我正在尝试运行从文本文件中读取并逐行解析的“食谱”以动态调用一系列方法。我认为在进行了相当多的谷歌搜索之后我需要实现一个工厂,但我缺乏一些关键细节。这是我最接近的例子:

http://simpleprogrammer.com/2010/08/17/pulling-out-the-switch-its-time-for-a-whooping/

下面的代码是现在的一个片段。

    internal static void Run(int Thread_ID, List<StringBuilder> InstructionSet, List<double>[] Waveforms)
    {
        //Init
        List<double>[] Register = new List<double>[10];
        for (int i = 0; i < Waveforms.Length; i++) { Register[i] = new List<double>(Waveforms[i]); }
        for (int i = 0; i < Register.Length; i++) { if (Register[i] == null) { Register[i] = new List<double>(); } }

        //Run Recipe Steps
        foreach (var item in InstructionSet)
        {
            Step Op = Step.Parse(item.ToString());
            switch (Op.TaskName)
            {
                case "SimpleMovingAverage":
                    Register[Convert.ToInt32(Op.Args[0])] = Signal_Filters.SimpleMovingAverage(Register[Convert.ToInt32(Op.Args[1])], Convert.ToInt32(Op.Args[2]));
                    break;

                case "RollingSteppedStdDeviation":
                    Register[Convert.ToInt32(Op.Args[0])] = Signal_Filters.RollingSteppedStdDeviation(Register[Convert.ToInt32(Op.Args[1])], Convert.ToInt32(Op.Args[2]), Convert.ToInt32(Op.Args[3]));
                    break;

               //... etc. many, many methods to be called.
            }
        }
    }

...以下是我有疑问的示例部分:

public static class MoveFactory
{
    private static Dictionary<string, Func<IMove>> moveMap = new Dictionary<string, Func<IMove>>()
    {
        {"Up", () => { return new UpMove(); }},
        {"Down", () => { return new DownMove(); }},
        {"Left", () => { return new LeftMove(); }}
        // ...
    };

    public static IMove CreateMoveFromName(string name)
    {
        return moveMap[name]();
    }
}
  1. 我可以自动生成字典列表吗?因此,每当我添加一个实现我的工厂接口(相当于 IMove)的新类时,我不必更新我的字典或我的代码的几乎任何其他部分。也许这可以强制作为接口的一部分?

  2. 在上面的示例代码中,我没有看到它传入和传出参数。查看我的代码,我有需要逐步变异的数据......我将如何使用工厂来做到这一点。

  3. 工厂需要是线程安全的,因为我想将不同的初始数据传递给多个运行自己的配方的工作人员。

4

1 回答 1

7

让我们一次解决这些问题。

动态构建词典

使用反射自定义属性的组合实际上很容易做到这一点。

属性的创建非常简单,因此我将把它留给您自己查找,但我们假设您有一个MoveNameAttribute可以在类级别应用的调用。然后你可以装饰你的类,实现IMove如下:

[MoveName("Up")]
class UpMove: IMove{}

[MoveName("Down")]
class DownMove: IMove{}

现在,您可以使用反射和一点LINQ将这些类类型提取到字典中,并使用自定义属性中指定的键按需创建这些类型的新实例。

虽然整个工厂本身的代码行数非常短,但如果您以前从未做过反射,那么反射可能会令人生畏。我已经注释了每一行来解释发生了什么。

internal static class MoveFactory
{
    private static readonly IDictionary<String, Type> _moveTypes;

    static MoveFactory()
    {
        _moveTypes = LoadAllMoveTypes();
    }

    private static IDictionary<string, Type> LoadAllMoveTypes()
    {
        var asm =
            //Get all types in the current assembly
            from type in Assembly.GetExecutingAssembly().GetTypes()
            //Where the type is a class and implements "IMove"
            where type.IsClass && type.GetInterface("IMove") != null
            //Only select types that are decorated with our custom attribute
            let attr = type.GetCustomAttribute<MoveNameAttribute>()
            where attr != null
            //Return both the Name and the System.Type
            select new
                        {
                            name = attr.Name,
                            type
                        };

        //Convert the results to a Dictionary with the Name as a key
        // and the Type as the value
        return asm.ToDictionary(move => move.name, move => move.type);
    }

    internal static IMove CreateMove(String name)
    {
        Type moveType;

        //Check to see if we have an IMove with the specific key
        if(_moveTypes.TryGetValue(name, out moveType))
        {
            //Use reflection to create a new instance of that IMove
            return (IMove) Activator.CreateInstance(moveType);
        }

        throw new ArgumentException(
           String.Format("Unable to locate move named: {0}", name));
    }
}

现在您有了工厂,您可以像这样简单地创建新实例:

var upMove = MoveFactory.CreateMove("Up");
var downMove = MoveFactory.CreateMove("Down");

由于工厂使用静态构造器,它只会填充这个列表一次,并会自动选择你的新类。

传递参数

我不是 100% 确定你的用例在这里,但看起来你不需要将参数传递给你的工厂,而是传递给你的IMove. 但是,您可以传入可变数量的参数。

如果是这种情况,那么您将不得不忍受您的设计中的一些丑陋。您的IMove界面上需要一个非常通用的方法:

public interface IMove
{
   double Compute(double val1, params int[] args);
}

现在您的个人移动课程将不得不勤奋并检查以确保它们获得正确数量的参数。我将把它作为一个练习留给你,但这应该根据上面的例子给你你需要的东西。

线程安全

就目前而言,上面的工厂实现是线程安全的,因为它不依赖任何共享状态,并且底层字典本质上是不可变的。每次调用CreateMove都会返回一个全新的IMove实例。

现在你的实现是否IMove是线程安全的取决于你:)

哇!这是一个很长的答案,但希望这会对你有所帮助。

于 2012-12-21T05:43:20.897 回答