从C#通用字典中筛选出值


74

我有一个C#字典,Dictionary<Guid, MyObject>我需要根据的属性进行过滤MyObject

例如,我要从字典中删除所有记录,其中MyObject.BooleanProperty = false。实现这一目标的最佳方法是什么?

Answers:


71

由于Dictionary实现了IEnumerable<KeyValuePair<Key, Value>>,因此您可以使用Where

var matches = dictionary.Where(kvp => !kvp.Value.BooleanProperty);

如果需要,可以重新创建新字典,请使用ToDictionary方法。


1
确保顶部具有System.Linq using语句。
VivekDev '18 -10-25

113

如果您不希望创建包含所需项目的新字典并丢弃旧字典,只需尝试:

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
我想知道在ToDictionary方法中需要传递哪些参数。谢谢!+1
contactmatt 2014年

8

您可以简单地使用Linq where子句:

var filtered = from kvp in myDictionary
               where !kvp.Value.BooleanProperty
               select kvp

3
    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);
    }

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);

0

这是一个通用解决方案,不仅适用于值的布尔属性。

方法

提醒:扩展方法必须放在静态类中。不要忘记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);
    }

用法

例:

    var onlyWithPositiveValues = allNumbers.Filter(it => it.Value > 0);
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.