我有一个外部循环遍历要在字典中匹配的子字符串数组。在内部循环中,我想迭代字典并删除其键包含子字符串的条目。如何在不收到“Collection was modified Exception”的情况下执行此操作?
foreach (string outerKey in new string[] { "PAYERADDR_PAYERNAME", "RECADDR_RECNAME", "PAYERADDR_ADDR", "RECADDR_ADDR" })
{
foreach (var item in _generalWorksheetData.Where(kvp => kvp.Value.Contains(outerKey)).ToList())
{
_generalWorksheetData.Remove(item.Key);
}
}
答案 0 :(得分:7)
您需要一个新的系列:
List<string> todelete = dictionary.Keys.Where(k => k.Contains("substring")).ToList();
todelete.ForEach(k => dictionary.Remove(k));
或使用foreach
:
foreach (string key in todelete)
dictionary.Remove(key); // safe to delete since it's a different collection
如果Dictionary.Keys
已实施IList
而非ICollection
,您可以在后向for循环中访问它以删除它们。但由于没有索引器,你不能。
答案 1 :(得分:1)
AFAIK,你不能。但是,您可以将这些对存储在列表中,并在与第一个单独的循环中删除它们。
答案 2 :(得分:1)
查找匹配并删除以下条目
var keysWithMatchingValues = dictionary.Where(d => d.Key.Contains("xyz"))
.Select(kvp => kvp.Key).ToList();
foreach(var key in keysWithMatchingValues)
dictionary.Remove(key);
答案 3 :(得分:1)
只需更新内部foreach
,如下所示:
foreach (var item in _generalWorksheetData.Keys.Where(kvp => kvp.Contains(outerKey)).ToList())
{
_generalWorksheetData.Remove(item);
}
请注意,LINQ扩展方法ToList
和ToArray
允许您修改集合。
List<string> sampleList = new List<string>();
sampleList.Add("1");
sampleList.Add("2");
sampleList.Add("3");
sampleList.Add("4");
sampleList.Add("5");
// Will not work
foreach (string item in sampleList)
{
sampleList.Remove(item);
}
// Will work
foreach (string item in sampleList.ToList())
{
sampleList.Remove(item);
}