为什么我会在字典上使用HashSet?

时间:2015-01-18 11:12:35

标签: c# dictionary hashset

我正在尝试在A *算法上实现缓存路径列表。目前,缓存的路径存储在如下列表中:

readonly List<CachedPath> _cachedPaths = new List<CachedPath>();

在此列表上执行的操作是:

FirstOrDefault获取满足某些条件的元素

var cached = _cachedPaths.FirstOrDefault(p => p.From == from && p.To == target && p.Actor == self);

删除和元素

_cachedPaths.Remove(cached);

附加

_cachedPaths.Add(new CachedPath {
                    From = from,
                    To = target,
                    Actor = self,
                    Result = pb,
                    Tick = _world.WorldTick
                });

注意:类CachedPath只有From,To和Actor重写GetHashCode和Equals,因此具有相同属性的两个实例具有相同的散列和相等。

鉴于快速查找(包含),'HashSet'中的插入和删除是O(1)(如果我没有弄错),我考虑使用'HashSet'来执行这些操作。唯一的问题是FirstOrDefault,我必须枚举整个集合才能得到它。

考虑到这个问题,我还考虑使用由From,To和Actor的散列索引的Dictionary:

Dictionary<int, CachedPath> cachedPath

再一次,如果我没有弄错的话,Dictionary还提供O(1)插入,删除和Key检索。这使我认为Dictionary是HashSet + O(1)元素检索功能。

我错过了什么吗?在它支持更多操作的意义上,字典真的比HashSet好吗?

提前致谢。

2 个答案:

答案 0 :(得分:17)

Dictionary不是 而不是HashSet,它只是不同。

  • 如果要存储无序的项目集合,则使用HashSet
  • 如果要关联一组名为&#34; keys&#34;的项目,请使用Dictionary。另一个名为&#34; values&#34;
  • 的项目集合

有人可能会认为HashSetDictionary没有关联的值(事实上,HashSet有时使用场景后面的Dictionary实现)但它是没有必要以这种方式思考它:将两者视为完全不同的东西也很好。

在您的情况下,您可以通过按演员制作字典来提高性能,如下所示:

Dictionary<ActorType,List<CachedPath>> _cachedPathsByActor

这样你的线性搜索会根据一个actor快速选择一个子列表,然后按目标线性搜索:

var cached = _cachedPathsByActor[self].FirstOrDefault(p => p.From == from && p.To == target);

或制作一个考虑所有三个项目的相等比较器,并使用Dictionary CachedPath作为键和值,并使用自定义IEqualityComparer<T>作为键比较器:

class CachedPathEqualityComparer : IEqualityComparer<CachedPath> {
    public bool Equals(CachedPath a, CachedPath b) {
        return a.Actor == b.Actor
            && a.From == b.From
            && a.To == b.To;
    }
    public int GetHashCode(CachedPath p) {
        return 31*31*p.Actor.GetHashCode()+31*p.From.GetHashCode()+p.To.GetHashCode();
    }
}
...
var _cachedPaths = new Dictionary<CachedPath,CachedPath>(new CachedPathEqualityComparer());
...
CachedPath cached;
if (_cachedPaths.TryGetValue(self, out cached)) {
    ...
}

但是,此方法假定字典中最多只有一个项目具有相同的FromToActor

答案 1 :(得分:9)

执行添加时,哈希集不会抛出异常。相反,它返回一个反映成功添加的bool。

此外,散列集不需要keyValue对。 我使用hashsets来保证一组唯一值。