2

我有一个哈希集。是否有一种方法可以利用 IEqualityComparer 来检索您传入的对象,该对象将满足 IEqualityComparer 中定义的 equals 方法?

这可能解释得更清楚一点。

    public class Program
{
    public static void Main()
    {
        HashSet<Class1> set = new HashSet<Class1>(new Class1Comparer());
        set.Add( new Class1() { MyProperty1PK = 1, MyProperty2 = 1});
        set.Add( new Class1() { MyProperty1PK = 2, MyProperty2 = 2});

        if (set.Contains(new Class1() { MyProperty1PK = 1 }))
            Console.WriteLine("Contains the object");

        //is there a better way of doing this, using the comparer?  
        //      it clearly needs to use the comparer to determine if it's in the hash set.
        Class1 variable = set.Where(e => e.MyProperty1PK == 1).FirstOrDefault();

        if(variable != null)
            Console.WriteLine("Contains the object");
    }
}

class Class1
{
    public int MyProperty1PK { get; set; }
    public int MyProperty2 { get; set; }
}

class Class1Comparer : IEqualityComparer<Class1>
{
    public bool Equals(Class1 x, Class1 y)
    {
        return x.MyProperty1PK == y.MyProperty1PK;
    }

    public int GetHashCode(Class1 obj)
    {
        return obj.MyProperty1PK;
    }
}
4

1 回答 1

7

如果要基于单个属性检索Dictionary<T,U>项目,则可能需要使用 a而不是 hashset。然后,您可以将项目放在字典中,MyProperty1PK用作键。

然后您的查询变得简单:

Class1 variable;
if (!dictionary.TryGetValue(1, out variable)
{
  // class wasn't in dictionary
}

鉴于您已经使用仅将此值用作唯一性标准的比较器进行存储,因此仅使用该属性作为字典中的键确实没有缺点。

于 2013-02-07T19:10:49.727 回答