哈希集 - 未添加唯一项

Hash set - unique items not added

我有一个 class 包含以下内容:

    HashSet<CookieSetItem> _set = new HashSet<CookieSetItem>();

    public IEnumerable<CookieSetItem> Set
    {
        get { return _set; }
    }

    public void Add(int id)
    {
        id.ThrowDefault("id");

        var item = new CookieSetItem(id);

        if (_set.Add(item))
        {
            // this only happens for the first call
            base.Add();
        }
    }

当我多次调用添加方法时,比如 ID 为 1,2,3 等,只有第一项被添加。

显然我很困惑,因为每次都使用唯一元素(ID)创建新的 CookieSetItem,那么为什么不添加它呢?

为了完整起见,这里是 cookie 集 class:

public sealed class CookieSetItem
{
    readonly DateTime _added;
    readonly int _id;

    public DateTime Added
    {
        get { return _added; }
    }

    public int ID
    {
        get { return _id; }
    }

    public CookieSetItem(int id)
        : this(id, DateTime.Now)
    {
    }

    public CookieSetItem(int id, DateTime added)
    {
        id.ThrowDefault("id");
        added.ThrowDefault("added");

        _id = id;
        _added = added;
    }
}

追根究底 - 不止一处错误,遮蔽了大局。

首先,我用 IEquatable 更新了我的 class,这解决了添加问题。其次,我发现用哈希集的字符串版本更新 cookie 的最终结果也失败了,因为它没有加密。这是修正原始问题的修正 class。

public sealed class DatedSet : IEquatable<DatedSet>
{
    readonly DateTime _added;
    readonly int _id;

    public DateTime Added
    {
        get { return _added; }
    }

    public int ID
    {
        get { return _id; }
    }

    public DatedSet(int id)
        : this(id, DateTime.Now)
    {
    }

    public DatedSet(int id, DateTime added)
    {
        id.ThrowDefault("id");
        added.ThrowDefault("added");

        _id = id;
        _added = added;
    }

    public bool Equals(DatedSet other)
    {
        if (other == null) return false;

        return this.ID == other.ID;
    }

    public override bool Equals(Object obj)
    {
        if (obj == null) return false;

        var ds = obj as DatedSet;

        return ds == null ? false : Equals(ds);
    }

    public override int GetHashCode()
    {
        return ID.GetHashCode();
    }
}

感谢您的建议。