我有一个C#字典Dictionary<Guid, MyObject>
我需要根据MyObject
的属性进行过滤。
例如,我想删除MyObject.BooleanProperty = false
字典中的所有记录。实现这一目标的最佳方式是什么?
答案 0 :(得分:85)
如果您不关心创建包含所需项目的新词典并丢弃旧词典,只需尝试:
dic = dic.Where(i => i.Value.BooleanProperty)
.ToDictionary(i => i.Key, i => i.Value);
如果您无法创建新词典并且由于某种原因需要更改旧词典(例如,当它被外部引用并且您无法更新所有引用时:
foreach (var item in dic.Where(item => !item.Value.BooleanProperty).ToList())
dic.Remove(item.Key);
请注意,此处需要ToList
,因为您正在修改基础集合。如果更改基础集合,则用于查询值的枚举器将无法使用,并将在下一个循环迭代中引发异常。 ToList
在更改字典之前缓存值。
答案 1 :(得分:57)
由于Dictionary实现IEnumerable<KeyValuePair<Key, Value>>
,您只需使用Where
:
var matches = dictionary.Where(kvp => !kvp.Value.BooleanProperty);
要根据需要重新创建新词典,请使用ToDictionary
方法。
答案 2 :(得分:7)
您只需使用Linq where子句:
var filtered = from kvp in myDictionary
where !kvp.Value.BooleanProperty
select kvp
答案 3 :(得分:2)
public static Dictionary<TKey, TValue> Where<TKey, TValue>(this Dictionary<TKey, TValue> instance, Func<KeyValuePair<TKey, TValue>, bool> predicate)
{
return Enumerable.Where(instance, predicate)
.ToDictionary(item => item.Key, item => item.Value);
}
答案 4 :(得分:0)
我为我的项目添加了以下扩展方法,允许您过滤IDictionary。
public static IDictionary<keyType, valType> KeepWhen<keyType, valType>(
this IDictionary<keyType, valType> dict,
Predicate<valType> predicate
) {
return dict.Aggregate(
new Dictionary<keyType, valType>(),
(result, keyValPair) =>
{
var key = keyValPair.Key;
var val = keyValPair.Value;
if (predicate(val))
result.Add(key, val);
return result;
}
);
}
用法:
IDictionary<int, Person> oldPeople = personIdToPerson.KeepWhen(p => p.age > 29);
答案 5 :(得分:0)
这是一个通用解决方案,不仅适用于值的布尔属性。
方法
提醒:扩展方法必须放在静态类中。不要忘记源文件顶部的{
"parserOptions": {
"ecmaVersion": 2018,
"sourceType": "module"
}
}
语句。
using System.Linq;
用法
示例:
/// <summary>
/// Creates a filtered copy of this dictionary, using the given predicate.
/// </summary>
public static Dictionary<K, V> Filter<K, V>(this Dictionary<K, V> dict,
Predicate<KeyValuePair<K, V>> pred) {
return dict.Where(it => pred(it)).ToDictionary(it => it.Key, it => it.Value);
}