使用预定义的键创建字典

时间:2009-05-03 20:12:18

标签: python dictionary

在python中,有没有办法创建一个被视为字典但在创建新实例时预先定义了键的类?

5 个答案:

答案 0 :(得分:9)

您也可以通过覆盖__setitem__()

让dict子类将键限制为预定义列表
>>> class LimitedDict(dict):
    _keys = "a b c".split()
    def __init__(self, valtype=int):
        for key in LimitedDict._keys:
            self[key] = valtype()
    def __setitem__(self, key, val):
        if key not in LimitedDict._keys:
            raise KeyError
        dict.__setitem__(self, key, val)


>>> limited = LimitedDict()
>>> limited['a']
0
>>> limited['a'] = 3
>>> limited['a']
3
>>> limited['z'] = 0

Traceback (most recent call last):
  File "<pyshell#61>", line 1, in <module>
    limited['z'] = 0
  File "<pyshell#56>", line 8, in __setitem__
    raise KeyError
KeyError
>>> len(limited)
3

答案 1 :(得分:8)

您可以轻松扩展任何内置类型。这就是你用dict做的方式:

>>> class MyClass(dict):
...     def __init__(self, *args, **kwargs):
...             self['mykey'] = 'myvalue'
...             self['mykey2'] = 'myvalue2'
...
>>> x = MyClass()
>>> x['mykey']
'myvalue'
>>> x
{'mykey2': 'myvalue2', 'mykey': 'myvalue'}

我无法找到谈论此内容的Python文档,但是非常受欢迎的书籍Dive Into Python(可在线免费获得)has a few examples这样做。

答案 2 :(得分:3)

是的,在Python中dict是一个类,所以你可以将它子类化:

    class SubDict(dict):
        def __init__(self):
            dict.__init__(self)
            self.update({
                'foo': 'bar',
                'baz': 'spam',})

这里覆盖dict的__init__()方法(在创建类的实例时调用的方法)。在__init__内部,您首先调用supercalss的__init__()方法,这是一种常见的做法,当您想要扩展基类的功能时。然后,使用初始数据更新SubDictionary的新实例。

    subDict = SubDict()
    print subDict    # prints {'foo': 'bar', 'baz': 'spam'}

答案 3 :(得分:1)

我不确定这是你在寻找什么,但是当我读到你的帖子时,我立即认为你正在寻找动态生成计数练习的键。

与perl不同,默认情况下会为你执行此操作,


grep{$_{$_}++} qw/ a a b c c c /;
print map{$_."\t".$_{$_}."\n"} sort {$_{$b}$_{$a}} keys %_;

c   3
a   2
b   1

Python不会免费提供这个:


l = ["a","a","b","c","c","c"]
d = {}
for item in l:
    d[item] += 1

Traceback (most recent call last):
  File "./y.py", line 6, in 
    d[item] += 1
KeyError: 'a'

但是,defaultdict会为你做这个,


from collections import defaultdict
from operator import itemgetter

l = ["a","a","b","c","c","c"]
d = defaultdict(int)
for item in l:
    d[item] += 1

dl = sorted(d.items(),key=itemgetter(1), reverse=True)
for item in dl:
    print item

('c', 3)
('a', 2)
('b', 1)

答案 4 :(得分:0)

只需创建一个dict的子类,并在 init 方法中添加键。

class MyClass(dict)

def __init__(self):
    """Creates a new dict with default values""""

    self['key1'] = 'value1'

请记住,在python中,任何“行为像dict”的类通常都被视为一个类,所以你不必过于担心它是一个子类,你可以改为实现dict方法,尽管上面的方法对你来说可能更有用:)。