C#记录构造函数参数默认值空IEnumerable
c#
我正在转换这个类
public class MyClass
{
public IEnumerable<string> Strings { get; }
public MyClass(IEnumerable<string>? strings = null)
{
Strings = strings ?? new List<string>();
}
}
到一个记录。目前我有这个:
public record MyRecord(IEnumerable<string>? strings = null);
但是,我找不到默认将 初始化IEnumerable
为空可枚举的方法,因为它必须是编译时常量。我尝试静态初始化只读数组,但同样的问题。
回答
由于IEnumerable<string>
是引用类型,因此唯一可能的默认参数是 null
。绝对没有其他东西可以坚持。但!您可以在显式声明的“长格式”自动属性的初始化中从主构造函数引用该属性。这将允许您合并分配给属性的值。
public record MyRecord(IEnumerable<string>? Strings = null)
{
public IEnumerable<string> Strings { get; init; } = Strings ?? Enumerable.Empty<string>();
}
见夏普实验室
这实际上为您的记录生成一个构造函数,类似于您最初拥有的构造函数。以下是上述链接为构造函数生成的内容(可空属性转换回?
):
public MyRecord(IEnumerable<string>? Strings = null)
{
<Strings>k__BackingField = Strings ?? Enumerable.Empty<string>();
base..ctor();
}
它有点冗长/不像 one-liner 那样紧凑,但它是使用 a 完成您所要求的唯一方法,record
并且它仍然比非record
版本短。
另请注意,如果您查看生成的代码,该属性最终被声明为不可为空,而构造函数参数可为空。将此与您开始使用的单行版本进行比较,其中生成的参数可以为空以匹配主构造函数声明。在此解决方案中,您可以更改此行为(如果需要)并将长格式属性也显式标记为可为空。