如何存储一对我可以检查我是否已经存储的ID?

时间:2013-06-27 09:16:06

标签: c#

我有以下问题:

我有一对喜欢的ID:

1 3
3 1
1 2
...

然后我想将它存储在某种结构中,以便我可以简单地检查我是否已经拥有此连接: 存储了1 3,因此当我得到3 1时,我会看到1 3存在并且它将返回存在。 然后我得到1 2,我将不会存在,因为1 22 1未存储。

如何实现这个,或者什么是一个好的结构呢?

1 个答案:

答案 0 :(得分:7)

听起来你想要这样的东西:

// You could turn this into a struct if you wanted.
public sealed class IdPair : IEquatable<IdPair>
{
    private readonly int first;
    private readonly int second;

    public int First { get { return first; } }
    public int Second { get { return second; } }

    public IdPair(int first, int second)
    {
        this.first = first;
        this.second = second;
    }

    public override int GetHashCode()
    {
        // This is order-neutral.
        // Could use multiplication, addition etc instead - the point is
        // that {x, y}.GetHashCode() must equal {y, x}.GetHashCode()
        return first ^ second; 
    }

    public override bool Equals(object x)
    {
        return Equals(x as IdPair);
    }

    public bool Equals(IdPair other)
    {
        if (other == null)
        {
            return false;
        }
        return (first == other.first && second == other.second) ||
               (first == other.second && second == other.first);
    }
}

然后你只需要一个HashSet<IdPair>。感觉这是一种比使用Dictionary更自然的方法,因为你没有一个单独的键 - 你只有一对两个属性同样像键,你基本上对订单中立的对等。