作为方法调用参数

时间:2016-02-26 10:41:15

标签: c# function methods delegates invoke

我有一个简单的问题,可能很容易回答,但谷歌的强烈使用没有提出我的问题的答案。所以我道歉,如果有正确的解决方案,我没有看到它。

如果我有像

这样的方法调用
Object.Add(string text, System.Drawing.Color color);

即将某些文本添加到具有指定颜色的某个对象,并且我想动态地更改颜色,然后我可以键入某个。像

Object.Add("I'm a string", SomeBool ? Color.Red : Color.Green);

这非常有用,但只要我想比较两种情况就会失败。

我正在寻找的是(伪代码)

Object.Add("I'm another string", new delegate (Sytem.Drawing.Color) 
{
    if (tristate == state.state1) 
    {
        return Color.Blue;
    } 
    else if (tristate == state2)
    {
        return Color.Green;
    }
    // ...
});

但无论我在尝试什么,都会引发编译错误。

我尝试过很多关于如何将函数作为方法参数传递的谷歌,但我会发现很多像

public void SomeFunction(Func<string, int> somefunction) 
{ 
    //... 
}

这不是我的问题。

谢谢:)

3 个答案:

答案 0 :(得分:5)

首先放置你的逻辑:

Color color;

if (tristate == state1) 
    color = Color.Blue;
else if (tristate == state2)
    color = Color.Green;
else
    color = Color.Red;

Object.Add("I'm a string", color);

delegate解决方案不起作用的原因只是new delegate (Sytem.Drawing.Color) { … }返回一个函数委托,需要在获取颜色值之前先调用它。而且由于你的方法需要一种颜色而不是一种返回颜色的方法,所以它并没有真正的帮助。

根据你的逻辑有多短,你仍然可以在这里使用三元条件运算符并简单地链接它:

Object.Add("I'm a string", tristate == state1 ? Color.Blue : tristate == state2 ? Color.Green : Color.Red);

这相当于上面详细的if/else if/else结构。但当然,它不一定更具可读性,因此请谨慎使用并选择更易读的解决方案。

答案 1 :(得分:1)

我建议使用词典,例如

  private static Dictionary<State, Color> s_Colors = new Dictionary<State, Color>() {
    {State1, Color.Blue},
    {State2, Color.Green},
    {State3, Color.Red},
  };


  ... 

  Object.Add("I'm a string", s_Colors[tristate]);

答案 2 :(得分:1)

这将允许您传递一个函数来决定状态并将颜色传递给一个动作,然后您可以决定该如何处理。实际上,文本和颜色可以在Add方法中使用,并且根本不需要返回以供使用,但这只是您正在寻找的示例。因为您没有使用Add方法中的文本(在您的示例中以任何方式),我将其取出并且只能在操作内部使用,否则只需将其添加回来并在Add方法中使用它

void Main()
{
    Object.Add(() => SomeState.State2, (col) =>
    {
        Label1.Text = "Your text";
        //Do something with color
        Label1.BackColor = col;
    });

    //example 2
    Object.Add(() => 
       {
          return someBool ? SomeState.State1 : SomeState.State2;
       }, 
       (col) =>
       {
           Label1.Text = "Your text";
           //Do something with color
           Label1.BackColor = col;
       });
}

public static class Object
{
    public static void Add(Func<SomeState> func, Action<Color> action)
    {
        switch(func())
        {
            case SomeState.State1: 
                action(Color.Blue);
                break;
            case SomeState.State2: 
                action(Color.Green);
                break;
            default: 
                action(Color.Black);
                break;
        }
    }
}

public enum SomeState
{
    State1,
    State2
}