How to sum all the values in a dictionary?

前端 未结 9 1929
一生所求
一生所求 2020-11-28 01:39

Let\'s say I have a dictionary in which the keys map to integers like:

d = {\'key1\': 1,\'key2\': 14,\'key3\': 47}

Is there a syntactically

9条回答
  •  悲&欢浪女
    2020-11-28 01:53

    In Python 2 you can avoid making a temporary copy of all the values by using the itervalues() dictionary method, which returns an iterator of the dictionary's keys:

    sum(d.itervalues())
    

    In Python 3 you can just use d.values() because that method was changed to do that (and itervalues() was removed since it was no longer needed).

    To make it easier to write version independent code which always iterates over the values of the dictionary's keys, a utility function can be helpful:

    import sys
    
    def itervalues(d):
        return iter(getattr(d, ('itervalues', 'values')[sys.version_info[0]>2])())
    
    sum(itervalues(d))
    

    This is essentially what Benjamin Peterson's six module does.

提交回复
热议问题