How to pass a method with optional parameters as an argument?

自作多情 提交于 2019-12-07 23:49:35

问题


Say, we have ClassA with method Foo containing an optional parameter. So, we can use it as shown in method DoFoo.

public class ClassA
{
    public ClassA() { }

    public void Foo(bool flag = true)
    {
    }

    public void DoFoo()
    {
        Foo(); // == Foo(true);
    }
}

Once I needed to pass it to another class ClassB. First I tried to pass it as Action, but the signature surely didn't match. Then I passed it as Action<string>, the signature matched, but the parameter in ClassB was no longer optional. But I did wanted to have it optional and came to an idea to declare a delegate. So, it worked.

public delegate void FooMethod(bool flag = true);

public class ClassB
{
    Action<bool> Foo1;
    FooMethod Foo2;

    public ClassB(Action<bool> _Foo1, FooMethod _Foo2)
    {
        Foo1 = _Foo1;
        Foo2 = _Foo2;
    }

    public void DoFoo()
    {
        Foo1(true);
        Foo2(); // == Foo2(true);
    }

So, the question is: can I somehow pass a method with an optional parameter as an argument without explicitly declaring a delegate and keep the optional quality of its parameters?


回答1:


So, the question is: can I somehow pass a method with an optional parameter as an argument without explicitly declaring a delegate and keep the optional quality of its parameters?

No. The "optionality" is part of the signature of the method, which the compiler needs to know at at compile time to provide the default value. If you're using a delegate type that doesn't have the optional parameter, what is the compiler meant to do when you try to call it without enough arguments?

The simplest approach is probably to wrap it:

CallMethod(() => Foo()); // Compiler will use default within the lambda.
...
public void Foo(bool x = true) { ... }

public void CallMethod(Action action) { ... }


来源:https://stackoverflow.com/questions/12728844/how-to-pass-a-method-with-optional-parameters-as-an-argument

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!