Pergunta

This question already has an answer here:

Let's assume I have a function with out parameter, however I do not need its value. Is there a way to pass no actual parameter if given result will be thrown away anyway?

EDIT:

Although the question has been voted to be dupe of Optional Output Parameters it only is if you look from the method creator's perspective. If you're the user of the method, you're interested not in making the parameter optional, just not using it without declaring the variable. And while this is not possible, with C# 7.0 it is possible to declare it in method call. So instead of:

int unusedValue;
TryGetValue("key", out unusedValue);

you get:

TryGetValue("key", out int unusedValue);

or even:

TryGetValue("key", out _);

This should be added as an answer, but:

  • I can't do this for this question, because it was marked as a dupe;
  • the question this question is seemed as a dupe of actually asks for a different thing.
Foi útil?

Solução

You cannot do this, but there's no rule saying that you have to use the value that comes back. You can simply pass a temporary variable that you never use again.

C# 4.0 allows optional parameters, but out parameters can't be optional.

EDIT: BTW, you can also overload the method:

int DoStuff()
{
    int temp;
    return DoStuff(out temp);
}

int DoStuff(out outParam)
{
    //...
}

Outras dicas

While you can't actually make the out parameter optional, you could simply create an overload for the function without the out parameter, which would then take away the need to create a temporary variable.

public void DoSomething(int param1, out int param2)
{
    /* Method work here */
}

public void DoSomething(int param1)
{
    int temp;
    DoSomething(param1, out temp);
}

Not sure about C#, but in VB.Net you can simply pass in a constant to an output (byref) parameter. So if you have an integer, as an output parameter, you don't have to pass in an actual variable, you can just pass in 0, or any other valid integer. For Objects, including strings you can just pass in Nothing (Null in C#) and everything works fine. I'm not sure where the variable is stored, probably just on the stack as in any other parameter you pass in, and it disappears when the function exits.

Licenciado em: CC-BY-SA com atribuição
Não afiliado a StackOverflow
scroll top