传递默认参数值(不管它是什么)

时间:2016-11-12 21:14:33

标签: c#

Intent intent = new Intent(this, NextActivity.class);
startActivity(intent);
finish();

可以在C#中完成吗?

您可能会说,"如果您不想设置参数,只需在没有它的情况下调用方法"。但后来我在我的代码中得到了这样丑陋的IF:

//method with an optional parameter
public void DoSomething(int a, int b = 42);

//caller
DoSomething(a, b: default);

当我可以这样做时:

//kinda ugly :(
if(parameterIsSet)
    DoSomething(a, myValue);
else
    DoSomething(a);

我当然可以这样做:

DoSomething(a, b: parameterIsSet ? myValue : default);

但我不想硬编码" 42"在两个地方

1 个答案:

答案 0 :(得分:4)

在这种情况下,我通常会在评论中提到null。因此代码看起来像这样:

public void DoSomething(int a, int? bOverwrite = null)
{
    int b = bOverwrite ?? 42;
    // remaining code as before...
}

在这种情况下,您通常会删除parameterIsSet变量并使用null初始化变量并在必要时设置值:

int? myB = null;
if (/* some condition */)
{
    myB = 29;
}

DoSomething(a, myB);

如果你还有parameterIsSet,你可以这样调用这个函数:

DoSomething(a, parameterIsSet ? b : default(int?));

其他替代方案:

如果你有很多这样的参数,为参数创建一个类并在构造函数中设置它的默认值可能更简单:

class DoSomethingParameters
{
    public DoSomethingParameters() { A = 12; B = 42; }
    public int A { get; set; }
    public int B { get; set; }
}

var parameters = new DoSomethingParameters();
parameters.A = /* something */;

if (/* some condition */ {
    parameters.B = 29;
}

DoSomething(parameters);

如果有些情况下丑陋的IF可能是最好的解决方案,你可能会使用相同的条件来初始化b,或者你需要更多的变量来跟踪所有内容,最终的代码可能是甚至比丑陋的代码还要丑陋。

if (/* some condition */)
{
    int b = some_complet_expression;
    DoSomething(a, b);

    // Some other stuff here....
}
else
{
    DoSomething(a);

    // Different stuff here...
}

特别是,如果您在调用后有其他依赖于条件的代码,它可能是基本解决方案。每个案例都是具体的。凭借经验,您将学习如何为此情况编写最佳代码。