15

好吧,问题就在标题中:如何定义具有不可变键但可变值的 python 字典?我想出了这个(在python 2.x中):

class FixedDict(dict):
    """
    A dictionary with a fixed set of keys
    """

    def __init__(self, dictionary):
        dict.__init__(self)
        for key in dictionary.keys():
            dict.__setitem__(self, key, dictionary[key])

    def __setitem__(self, key, item):
        if key not in self:
            raise KeyError("The key '" +key+"' is not defined")
        dict.__setitem__(self, key, item)

但在我看来(不出所料)相当草率。特别是,这是安全的还是存在实际更改/添加一些键的风险,因为我是从 dict 继承的?谢谢。

4

3 回答 3

15

考虑代理dict而不是子类化它。这意味着只允许您定义的方法,而不是回退到dict's 的实现。

class FixedDict(object):
        def __init__(self, dictionary):
            self._dictionary = dictionary
        def __setitem__(self, key, item):
                if key not in self._dictionary:
                    raise KeyError("The key {} is not defined.".format(key))
                self._dictionary[key] = item
        def __getitem__(self, key):
            return self._dictionary[key]

此外,您应该使用字符串格式而不是+生成错误消息,否则它会因任何不是字符串的值而崩溃。

于 2013-02-11T16:31:19.173 回答
14

直接继承的问题dict是很难遵守 fulldict的合同(例如,在您的情况下,update方法不会以一致的方式运行)。

你想要的是扩展collections.MutableMapping

import collections

class FixedDict(collections.MutableMapping):
    def __init__(self, data):
        self.__data = data

    def __len__(self):
        return len(self.__data)

    def __iter__(self):
        return iter(self.__data)

    def __setitem__(self, k, v):
        if k not in self.__data:
            raise KeyError(k)

        self.__data[k] = v

    def __delitem__(self, k):
        raise NotImplementedError

    def __getitem__(self, k):
        return self.__data[k]

    def __contains__(self, k):
        return k in self.__data

请注意,原始(包装的)dict 将被修改,如果您不希望发生这种情况,请使用copyordeepcopy

于 2013-02-11T16:40:46.077 回答
1

如何阻止某人添加新密钥完全取决于为什么有人会尝试添加新密钥。正如评论所述,大多数修改键的字典方法都不会通过__setitem__,因此.update()调用将添加新键就好了。

如果您只希望有人使用d[new_key] = v,那么您__setitem__就可以了。如果他们可能使用其他方式来添加密钥,那么您必须投入更多的工作。当然,无论如何,他们总是可以使用它来做到这一点:

dict.__setitem__(d, new_key, v)

你不能在 Python 中让事情真正不可变,你只能停止特定的更改。

于 2013-02-11T16:38:11.827 回答