2

我正在尝试为 HashSet 创建扩展方法 AddRange,以便可以执行以下操作:

var list = new List<Item>{ new Item(), new Item(), new Item() };
var hashset = new HashSet<Item>();
hashset.AddRange(list);

这是我到目前为止所拥有的:

public static void AddRange<T>(this ICollection<T> collection, List<T> list)
{
    foreach (var item in list)
    {
        collection.Add(item);
    }
}

问题是,当我尝试使用 AddRange 时,我得到了这个编译器错误:

The type arguments for method 'AddRange<T>(System.Collections.Generic.ICollection<T>, System.Collections.Generic.List<T>)' cannot be inferred from the usage. Try specifying the type arguments explicitly.

换句话说,我最终不得不改用这个:

hashset.AddRange<Item>(list);

我在这里做错了什么?

4

2 回答 2

29

采用

hashSet.UnionWith<Item>(list);
于 2009-10-29T20:24:07.017 回答
3

您的代码对我来说很好:

using System.Collections.Generic;

static class Extensions
{
    public static void AddRange<T>(this ICollection<T> collection, List<T> list)
    {
        foreach (var item in list)
        {
            collection.Add(item);
        }
    }
}

class Item {}

class Test
{
    static void Main()
    {
        var list = new List<Item>{ new Item(), new Item(), new Item() };
        var hashset = new HashSet<Item>();
        hashset.AddRange(list);
    }
}

您能否给出一个类似的简短但完整但无法编译的程序?

于 2009-10-17T21:18:31.017 回答