Remove entries of a dictionary that are not in a set

后端 未结 3 920
误落风尘
误落风尘 2021-01-15 08:04

Given the following dictionary and set:

d = {1 : a, 2 : b, 3 : c, 4 : d, 5 : e }
s = set([1, 4])

I was wondering if it is possible to remov

相关标签:
3条回答
  • 2021-01-15 08:50

    Here are two nice solutions:

    d = {1 : "a", 2 : "b", 3 : "c", 4 : "d", 5 : "e" }
    keep_keys = set((1, 4))
    
    # option 1, builds a new dictionary
    d2 = {key:d[key] for key in set(d) & keep_keys}
    
    # option 2, modifies the original dictionary
    map(d.__delitem__, frozenset(d) - keep_keys)
    

    If speed is what you want you should profile which one of the two are faster.

    0 讨论(0)
  • 2021-01-15 09:01

    Another solution:

    d = {1 : "a", 2 : "b", 3 : "c", 4 : "d", 5 : "e" }
    s = set([1, 4])
    r = { k:d[k] for k in ( d.viewkeys() - s ) }
    
    0 讨论(0)
  • 2021-01-15 09:02
    d = {1 : 'a', 2 : 'b', 3 : 'c', 4 : 'd', 5 : 'e' }
    s = set([1, 4])
    

    Since you should not modify a dictionary while itering over it, you have two possibilities to create a new dictionary.

    One is to create a new dictionary from the old one filtering values out:

    d2 = dict((k,v) for k,v in d.iteritems() if k in s)
    

    The second one is to extract the keys, intersect them with the s-set and use them to build a new dictionary:

    d2 = dict((k, d[k]) for k in set(d) & s)
    

    The third one is to remove the elements directly from d:

    for k in set(d) - s:
        del d[k]
    
    0 讨论(0)
提交回复
热议问题