在foreach循环中编辑字典值

我正在尝试从字典构建饼图。在显示饼图之前,我想整理数据。我要删除所有小于饼图5%的饼图切片,并将它们放入“其他”饼图切片中。但是我Collection

was modified; enumeration operation may not execute在运行时遇到异常。

我了解为什么在迭代它们时不能在字典中添加或删除它们。但是我不明白为什么不能简单地在foreach循环中更改现有键的值。

任何建议:修复我的代码,将不胜感激。

Dictionary<string, int> colStates = new Dictionary<string,int>();

// ...

// Some code to populate colStates dictionary

// ...

int OtherCount = 0;

foreach(string key in colStates.Keys)

{

double Percent = colStates[key] / TotalCount;

if (Percent < 0.05)

{

OtherCount += colStates[key];

colStates[key] = 0;

}

}

colStates.Add("Other", OtherCount);

回答:

在字典中设置值会更新其内部“版本号”,这会使迭代器以及与键或值集合关联的所有迭代器无效。

我确实明白您的意思,但是同时,如果values集合可以更改中间迭代,那将很奇怪-而且为简单起见,只有一个版本号。

解决此类问题的通常方法是预先复制键的集合并在副本上进行迭代,或者在原始集合上进行迭代,但要保留一组更改,这些更改将在完成迭代后应用。

例如:

List<string> keys = new List<string>(colStates.Keys);

foreach(string key in keys)

{

double percent = colStates[key] / TotalCount;

if (percent < 0.05)

{

OtherCount += colStates[key];

colStates[key] = 0;

}

}

要么…

List<string> keysToNuke = new List<string>();

foreach(string key in colStates.Keys)

{

double percent = colStates[key] / TotalCount;

if (percent < 0.05)

{

OtherCount += colStates[key];

keysToNuke.Add(key);

}

}

foreach (string key in keysToNuke)

{

colStates[key] = 0;

}

以上是 在foreach循环中编辑字典值 的全部内容, 来源链接: utcz.com/qa/412845.html

回到顶部