如何制作计数器子集?

时间:2018-11-11 02:08:15

标签: python data-structures python-collections

我正在尝试使用Python标准库集合。

我对事物有反感

>>> c = Counter('achdnsdsdsdsdklaffaefhaew')
>>> c
Counter({'a': 4,
         'c': 1,
         'h': 2,
         'd': 5,
         'n': 1,
         's': 4,
         'k': 1,
         'l': 1,
         'f': 3,
         'e': 2,
         'w': 1})

我现在想要以某种方式获取此计数器的子集作为另一个Counter对象。就是这样:

>>> new_c = do_subset(c, [d,s,l,e,w])
>>> new_c
Counter({'d': 5,
         's': 4,
         'l': 1,
         'e': 2,
         'w': 1})

谢谢。

2 个答案:

答案 0 :(得分:4)

您可以简单地构建字典并将其传递给Counter:

from collections import Counter

c = Counter({'a': 4,
             'c': 1,
             'h': 2,
             'd': 5,
             'n': 1,
             's': 4,
             'k': 1,
             'l': 1,
             'f': 3,
             'e': 2,
             'w': 1})


def do_subset(counter, lst):
    return Counter({k: counter.get(k, 0) for k in lst})


result = do_subset(c, ['d', 's', 'l', 'e', 'w'])

print(result)

输出

Counter({'d': 5, 's': 4, 'e': 2, 'l': 1, 'w': 1})

答案 1 :(得分:0)

您可以访问c中的每个键,并将其值分配给新字典中的相同键。

import collections
c = collections.Counter('achdnsdsdsdsdklaffaefhaew')

def subsetter(c, sub):
  out = {}
  for x in sub:
    out[x] = c[x]
  return collections.Counter(out)

subsetter(c, ["d","s","l","e","w"])

收益:

{'d': 5, 'e': 2, 'l': 1, 's': 4, 'w': 1}