做了一个小例子来选择多线程环境中频繁更新字典的最佳方案。然后观察到“奇怪的”迭代行为。
using System;
using System.Collections.Generic;
using System.Threading;
namespace DictionaryTest
{
class Program
{
static int _n;
static Dictionary<int, string> _dict = new Dictionary<int, string>();
static void Main(string[] args) {
for (int i = 0; i < 50; i++) _dict[i] = "FIRST";
new Thread(ReadDict).Start();
Thread.Sleep(30);
// CASE A, Throws exception AS EXPECTED.
//_dict.Clear();
// CASE B, ReadDict continues iterate on old dictionary values!!!???
//_dict = new Dictionary<int, string>();
// CASE C
UpdateDict();
ReadDict();
Console.ReadKey();
}
private static void ReadDict() {
// Read Method X
// (continues iterate on old dictionary values!!!???)
//
foreach (var kvp in _dict) {
Thread.Sleep(3);
Console.WriteLine("{0,3} {1,4} {2,6} :{3,5} Method X", Interlocked.Increment(ref _n), kvp.Key, kvp.Value, Thread.CurrentThread.ManagedThreadId);
}
// Read Method Y
//
//for (int i = 0; i < 50; i++) {
// Thread.Sleep(3);
// Console.WriteLine("{0,3} {1,4} {2,6} :{3,5} Method Y", Interlocked.Increment(ref _n), i, _dict[i], Thread.CurrentThread.ManagedThreadId);
//}
}
private static void UpdateDict() {
var tmp = new Dictionary<int, string>();
for (int i = 0; i < 50; i++) tmp[i] = "SECOND";
_dict = new Dictionary<int, string>(tmp);
}
}
}
组合:
- 案例 A 和(方法 X 或方法 Y) - 按预期抛出异常!
- 案例 B 和方法 X - 继续迭代旧字典值???
- 案例 C 和方法 X - 继续迭代旧字典值???
- 案例 C 和方法 Y - 仅迭代预期的更新值!
循环是否会foreach
获取静态 Dictionary 成员的某种内部快照?如果是这样,CASE A 也应该工作,但它没有。
有人可以解释导致这种奇怪行为的原因吗?
编辑:
尽管使用了 ConcurrentDictionary 和代码锁定,但基本上我的问题是关于字典更新方法之间的差异:将字典的新副本分配为全新的对象或更好地迭代某些集合并使用 dict[key]=myObject 方法单独更新新值?我不需要保留对值对象的引用,只需替换它。