c# – 枚举Dictionary.Values vs Dictionary本身

前端之家收集整理的这篇文章主要介绍了c# – 枚举Dictionary.Values vs Dictionary本身前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我正在探索 GitHub上的ASP.NET核心的来源,看看ASP.NET团队用来加快框架的技巧是什么.我看到一些让我感兴趣的东西.在 ServiceProvider的源代码中,在Dispose实现中,它们列举了一个字典,并且他们发表了一个注释来表示一个性能技巧:
private readonly Dictionary<IService,object> _resolvedServices = new Dictionary<IService,object>();

// Code removed for brevity

public void Dispose()    
{        
    // Code removed for brevity

    // PERF: We've enumerating the dictionary so that we don't allocate to enumerate.
    // .Values allocates a KeyCollection on the heap,enumerating the dictionary allocates
    // a struct enumerator
    foreach (var entry in _resolvedServices)
    {
        (entry.Value as IDisposable)?.Dispose();
    }

    _resolvedServices.Clear();        
}

如果字典被枚举如此,有什么区别?

foreach (var entry in _resolvedServices.Values)
{
    (entry as IDisposable)?.Dispose();
}

它有性能影响吗?还是因为分配ValueCollection会消耗更多的内存?

解决方法

你是对的,这是关于内存消耗.差异实际上在评论中很好地描述:访问Dictionary< TKey,TValue>的Value属性 will allocate a ValueCollection,它是一个类(引用类型),在堆上.

通过字典本身导致调用GetEnumerator()返回一个Enumerator.这是一个结构体,将分配在堆栈而不是堆上.

原文链接:/csharp/96296.html

猜你在找的C#相关文章