我有一个像这样的巨大的switch语句这个方法:
public bool ExecuteCommand(string command, string args)
{
bool result = false;
switch (command)
{
case "command1": result = Method1(args); break;
case "command2": result = Method2(args); break;
// etc.
}
return result;
}
private bool Method1(string args) {...}
现在我想用Func<>
代表字典替换它,以便我可以删除switch语句:
private Dictionary<string, Func<string, bool>> _commands = new ...;
public MyClass()
{
_commands.Add("command1", Method1);
// etc:
}
public bool ExecuteCommand(string command, string args)
{
return _commands[command](args);
}
我看到的问题是,新的Dictionary被实例化并填充了每个新的MyClass实例。
是否有可能以某种方式使该Dictionary(包含实例方法的委托)成为静态构件中只能初始化一次的静态成员?
E.g。这样的事情(不起作用):
private static Dictionary<string, Func<string, bool>> _commands = new ...;
static MyClass()
{
// the following line will result in a compiler error:
// error CS0120: An object reference is required for the non-static field,
// method, or property 'MyClass.Method1(string, string)'
_commands.Add("command1", MyClass.Method1);
}
答案 0 :(得分:19)
你可以在静态构造函数中初始化它 - 但你需要创建MyClass
的实例,这可能不是你想要的,因为我假设你想要命令执行“在Execute
被调用的实例的上下文中。
或者,您可以使用采用 MyClass
实例的代理填充字典,如下所示:
class MyClass
{
static Dictionary<string, Func<MyClass, string, bool>> commands
= new Dictionary<string, Func<MyClass, string, bool>>
{
{ "Foo", (@this, x) => @this.Foo(x) },
{ "Bar", (@this, y) => @this.Bar(y) }
};
public bool Execute(string command, string value)
{
return commands[command](this, value);
}
public bool Foo(string x)
{
return x.Length > 3;
}
public bool Bar(string x)
{
return x == "";
}
}
理论上我认为通过创建“开放委托”而没有lambda表达式应该是可行的,但是使用反射需要更多的工作。如果你不介意额外间接的丑陋和微小的性能损失,我认为这种方法应该可以很好地工作。