有了一个列表,你可以做:
list.AddRange(otherCollection);
HashSet中没有add range方法。 向HashSet中添加另一个ICollection的最佳方法是什么?
有了一个列表,你可以做:
list.AddRange(otherCollection);
HashSet中没有add range方法。 向HashSet中添加另一个ICollection的最佳方法是什么?
对于HashSet<T>,名称为UnionWith。
这是为了指出HashSet工作的独特方式。你不能像在集合中那样安全地添加一组随机元素,一些元素可能会自然蒸发。
我认为UnionWith得名于“与另一个HashSet合并”,然而,IEnumerable<T>也有重载。
这是一种方法:
public static class Extensions
{
public static bool AddRange<T>(this HashSet<T> source, IEnumerable<T> items)
{
bool allAdded = true;
foreach (T item in items)
{
allAdded &= source.Add(item);
}
return allAdded;
}
}
你也可以在LINQ中使用CONCAT。这将把一个集合,特别是一个HashSet<T>附加到另一个集合上。
var A = new HashSet<int>() { 1, 2, 3 }; // contents of HashSet 'A'
var B = new HashSet<int>() { 4, 5 }; // contents of HashSet 'B'
// Concat 'B' to 'A'
A = A.Concat(B).ToHashSet(); // Or one could use: ToList(), ToArray(), ...
// 'A' now also includes contents of 'B'
Console.WriteLine(A);
>>>> {1, 2, 3, 4, 5}
注意:Concat()创建一个全新的集合。而且,UnionWith()比Concat()更快。
“…this (Concat())还假设你实际上可以访问引用哈希集的变量,并允许修改它,但情况并不总是如此。”——@PeterDuniho