2

我正在尝试创建一个可以很好地解析日志文件的结构。我首先尝试将字典设置为类对象,但这不起作用,因为我将它们设为类属性。

我现在正在尝试以下方法来设置我的结构:

#!/usr/bin/python
class Test:
    def __init__(self):
        __tBin = {'80':0, '70':0, '60':0, '50':0,'40':0}
        __pBin = {}
        __results = list()
        info = {'tBin'   : __tBin.copy(),
                'pBin'   : __pBin.copy(),
                'results': __results}

        self.writeBuffer = list()
        self.errorBuffer = list()

        self.__tests = {'test1' : info.copy(),
                        'test2' : info.copy(),
                        'test3' : info.copy()}

    def test(self):
        self.__tests['test1']['tBin']['80'] += 1
        self.__tests['test2']['tBin']['80'] += 1
        self.__tests['test3']['tBin']['80'] += 1
        print "test1: " + str(self.__tests['test1']['tBin']['80'])
        print "test2: " + str(self.__tests['test2']['tBin']['80'])
        print "test3: " + str(self.__tests['test3']['tBin']['80'])

Test().test()

我的目标是创建两个字典对象(__tBin 和 __pBin)并为每个测试制作它们的副本(即 test1 test2 test3...)。但是,当我觉得我明确地复制它们时,我发现 test1、test2 和 test3 仍然共享相同的值。上面的代码还包括我如何测试我想要完成的事情。

虽然我希望看到 1、1、1 被打印出来,但我看到了 3、3、3,但我不知道为什么,尤其是当我在字典上明确执行“copy()”时。

我在 Python 2.7.4

4

2 回答 2

1

self.__tests = {'test1' : info.copy(),
                    'test2' : info.copy(),
                    'test3' : info.copy()}

该变量info仅由浅(即非递归)副本复制。copy.deepcopy如果你想__tBin和朋友被复制,你应该在这里使用。

于 2013-07-15T18:19:25.457 回答
1

对于嵌套数据结构,您需要制作深拷贝而不是浅拷贝。见这里:http ://docs.python.org/2/library/copy.html

copy在文件开头导入模块。然后将调用替换info.copy()copy.deepcopy(info). 像这样:

#!/usr/bin/python

import copy

class Test:
    def __init__(self):
        ...
        info = {'tBin'   : __tBin.copy(),
                'pBin'   : __pBin.copy(),
                'results': __results}
        ...
        self.__tests = {'test1' : copy.deepcopy(info),
                        'test2' : copy.deepcopy(info),
                        'test3' : copy.deepcopy(info)}

    def test(self):
        ...

...
于 2013-07-15T18:19:58.270 回答