C#在字典中存储函数

如何创建可以存储函数的字典?

谢谢。

我有大约30多个可以从用户执行的功能。我希望能够以这种方式执行功能:

   private void functionName(arg1, arg2, arg3)

{

// code

}

dictionaryName.add("doSomething", functionName);

private void interceptCommand(string command)

{

foreach ( var cmd in dictionaryName )

{

if ( cmd.Key.Equals(command) )

{

cmd.Value.Invoke();

}

}

}

但是,函数签名并不总是相同的,因此具有不同数量的参数。

回答:

像这样:

Dictionary<int, Func<string, bool>>

这使您可以存储带有字符串参数并返回布尔值的函数。

dico[5] = foo => foo == "Bar";

或者,如果函数不是匿名的:

dico[5] = Foo;

Foo的定义如下:

public bool Foo(string bar)

{

...

}


更新:

看到更新后,您似乎事先不知道要调用的函数的签名。在.NET中,要调用函数,您需要传递所有参数,如果您不知道参数将是什么,唯一的方法是通过反射。

这是另一种选择:

class Program

{

static void Main()

{

// store

var dico = new Dictionary<int, Delegate>();

dico[1] = new Func<int, int, int>(Func1);

dico[2] = new Func<int, int, int, int>(Func2);

// and later invoke

var res = dico[1].DynamicInvoke(1, 2);

Console.WriteLine(res);

var res2 = dico[2].DynamicInvoke(1, 2, 3);

Console.WriteLine(res2);

}

public static int Func1(int arg1, int arg2)

{

return arg1 + arg2;

}

public static int Func2(int arg1, int arg2, int arg3)

{

return arg1 + arg2 + arg3;

}

}

使用这种方法,您仍然需要知道需要在字典的相应索引处传递给每个函数的参数的数量和类型,否则会出现运行时错误。如果您的函数没有返回值,请使用System.Action<>代替System.Func<>

以上是 C#在字典中存储函数 的全部内容, 来源链接: utcz.com/qa/428832.html

回到顶部