Collections.defaultdict vs. Regular Dict: Understanding the Distinction
Unlike conventional Python dictionaries that raise a KeyError for missing keys, the defaultdict offers a unique twist. It automatically initializes non-existent keys with default values, determined by a user-defined "callable" object. To fully grasp its functionality, let's delve into its syntax and mechanics.
In the first example provided in the question:
>>> from collections import defaultdict >>> s = 'mississippi' >>> d = defaultdict(int) >>> for k in s: ... d[k] += 1 ... >>> d.items() dict_items([('m', 1), ('i', 4), ('s', 4), ('p', 2)])
We employ a defaultdict and specify int as the callable object. As we iterate through the string s, the defaultdict automatically creates missing keys by invoking int(). This function returns an integer object initialized to 0. Consequently, every letter in s becomes a key in the resulting dictionary d, with their corresponding values being their frequencies of occurrence.
In the second example:
>>> s = [('yellow', 1), ('blue', 2), ('yellow', 3), ('blue', 4), ('red', 1)] >>> d = defaultdict(list) >>> for k, v in s: ... d[k].append(v) ... >>> d.items() [('blue', [2, 4]), ('red', [1]), ('yellow', [1, 3])]
We use a defaultdict again and pass list as the callable object. This time, non-existent keys are initialized using list(). As we iterate through the list of tuples s, the defaultdict ensures that each unique color is represented as a key. The corresponding values are lists that store the frequencies of each color's appearance.
By utilizing a defaultdict, we can conveniently operate on dictionaries with missing keys, avoiding potential KeyError exceptions and simplifying our code.
The above is the detailed content of `defaultdict` vs. Regular `dict` in Python: When Should You Use Which?. For more information, please follow other related articles on the PHP Chinese website!