c# 4.0允许可选的out或ref参数吗?
当前回答
No.
一个解决方法是重载另一个没有out / ref参数的方法,它只调用当前方法。
public bool SomeMethod(out string input)
{
...
}
// new overload
public bool SomeMethod()
{
string temp;
return SomeMethod(out temp);
}
如果你有c# 7.0,你可以简化:
// new overload
public bool SomeMethod()
{
return SomeMethod(out _); // declare out as an inline discard variable
}
(感谢@奥斯卡/ @赖纳指出这一点。)
其他回答
void foo(ref int? n)
{
return null;
}
不是,但是另一个很好的替代方法是让方法使用一个泛型模板类来处理可选参数,如下所示:
public class OptionalOut<Type>
{
public Type Result { get; set; }
}
那么你可以这样使用它:
public string foo(string value, OptionalOut<int> outResult = null)
{
// .. do something
if (outResult != null) {
outResult.Result = 100;
}
return value;
}
public void bar ()
{
string str = "bar";
string result;
OptionalOut<int> optional = new OptionalOut<int> ();
// example: call without the optional out parameter
result = foo (str);
Console.WriteLine ("Output was {0} with no optional value used", result);
// example: call it with optional parameter
result = foo (str, optional);
Console.WriteLine ("Output was {0} with optional value of {1}", result, optional.Result);
// example: call it with named optional parameter
foo (str, outResult: optional);
Console.WriteLine ("Output was {0} with optional value of {1}", result, optional.Result);
}
No.
一个解决方法是重载另一个没有out / ref参数的方法,它只调用当前方法。
public bool SomeMethod(out string input)
{
...
}
// new overload
public bool SomeMethod()
{
string temp;
return SomeMethod(out temp);
}
如果你有c# 7.0,你可以简化:
// new overload
public bool SomeMethod()
{
return SomeMethod(out _); // declare out as an inline discard variable
}
(感谢@奥斯卡/ @赖纳指出这一点。)
对于c# 6.0及以下版本,使用不带out形参的重载方法调用带out形参的方法。当被特别问到c# 4.0是否可以有一个可选的out参数时,我不确定为什么用于。net Core的c# 7.0甚至是这个线程的正确答案。答案是否定的!
ICYMI:包括在这里列举的c# 7.0的新特性中,“discards”现在被允许以_的形式作为out参数,让你忽略你不关心的out参数:
p.GetCoordinates(out var x, out _);//我只关心x
附注:如果你也对“输出变量x”的部分感到困惑,请阅读链接上关于“输出变量”的新功能。
推荐文章
- c# 4.0可选的out/ref参数
- c# 4.0中的“动态”类型是用来干什么的?
- 平行的。ForEach vs Task.Factory.StartNew
- 动态地向ExpandoObject添加属性
- x = x || y是什么意思?
- 在Tuple类中比"Item1", "Item2"更好的命名
- 普通参数与关键字参数
- .NET NewtonSoft JSON反序列化映射到不同的属性名
- 可选关键字参数的命名元组和默认值
- 如何定义具有可选参数的函数?
- 是否有一种方法在JavaScript函数调用中提供命名参数?
- 为什么在接口上定义的c# 4可选参数没有强制实现类?
- 如何在Swift协议中声明可选方法?
- 任务和线程的区别是什么?
- 如何在c#中使用可选参数?