我有一个字符串数组列表,我想将这两个集合设为只读。
所以我有这个代码:
public XmlPatternTree(IList<string> nodeNames, IList<IList<string>> attributeNames,
IList<IList<string>> attributeValues) : this()
{
NodeNames = new ReadOnlyCollection<string>(nodeNames);
AttributeNames = new ReadOnlyCollection<ReadOnlyCollection<string>>();
AttributeValues = attributeValues;
Depth = NodeNames.Count;
}
我的问题是属性名称和属性值赋值会导致编译错误,似乎我可以从非只读对象的非只读集合创建只读集合的只读集合。
除了遍历所有值并将它们添加到列表中之外,我还能做些什么吗?
谢谢
如果您将类型从 IList<string>
更改为仅 List<string>
,那么这应该有效:
attributeNames.Select((x) => x.AsReadOnly()).ToList().AsReadOnly();
如果您无法修改方法签名(即您必须保留IList<string>
),那么您可以这样做:
attributeNames.Select((x) => x.ToList().AsReadOnly()).ToList().AsReadOnly();
如果 .net Framework 的版本大于 4.0,则 List<>
的泛型版本将实现IReadOnlyCollection<>
接口。如果您更方便,您可以将签名从IList<ILIst<>>
更改为List<List<>>
,并且应该可以正常工作。
AttributeNames = attributeNames;
AttributeValues = attributeValues;
只是关于IReadOnlyList<out T>
类型的协方差的说明(类似于Vasil Oreshenski的答案)。
如果您决定拥有:
public XmlPatternTree(IReadOnlyList<string> nodeNames,
IReadOnlyList<IReadOnlyList<string>> attributeNames,
IReadOnlyList<IReadOnlyList<string>> attributeValues) : this()
{
NodeNames = nodeNames;
AttributeNames = attributeNames;
AttributeValues = attributeValues;
}
public IReadOnlyList<string> NodeNames { get; private set; }
public IReadOnlyList<IReadOnlyList<string>> AttributeNames { get; private set; }
public IReadOnlyList<IReadOnlyList<string>> AttributeValues { get; private set; }
public int Depth => NodeNames.Count;
在您的类中,提到的协方差意味着您可以使用引用转换,而不是在另一个类内进行任何包装,如下所示:
var nn = new List<string>();
var an = new List<string[]>();
var av = new List<string[]>();
// populate 'nn', 'an', and 'av'
// the following compiles with no wrapper class:
var tree = new XmlPatternTree(nn, an, av);
当然,人们可以将接口转换回实际类型,如List<string[]>
,并在不使用反射的情况下修改集合,如果他们猜测该类型实际上是数组列表。但是,这将是非常恶性的,所以你可以认为如果只有"好"的人使用你的类就没有问题。
嗡!我上面所说的和编码的IReadOnlyList<out T>
也可以用IReadOnlyCollection<out T>
完成,因为它也是协变的("out
")。您只是没有对属性(例如 var name = tree.AttrbuteNames[idx1][idx2]
)的索引器访问权限。但是你可以使用HashSet<>
和类似的不IReadOnlyList<>
。