Почему я получаю разные идентификаторы объектов dict

#python #multithreading

#python #многопоточность

Вопрос:

У меня есть приложение django (версия = 1.1.4, python = 2.7.15), в котором я создаю поток A для обработки других задач, а затем поток A создает процесс через подпроцесс.Всплывающее окно.

data.py вот так

 class AttribDict(dict):
    """
    This class defines the appscan object, inheriting from Python data
    type dictionary.

    >>> foo = AttribDict()
    >>> foo.bar = 1
    >>> foo.bar
    1
    """

    def __init__(self, indict=None, attribute=None):
        if indict is None:
            indict = {}

        # Set any attributes here - before initialisation
        # these remain as normal attributes
        self.attribute = attribute
        dict.__init__(self, indict)
        self.__initialised = True

        # After initialisation, setting attributes
        # is the same as setting an item

    def __getattr__(self, item):
        """
        Maps values to attributes
        Only called if there *is NOT* an attribute with this name
        """

        try:
            return self.__getitem__(item)
        except KeyError:
            raise AppscanDataException("unable to access item '%s'" % item)

    def __setattr__(self, item, value):
        """
        Maps attributes to values
        Only if we are initialised
        """

        # This test allows attributes to be set in the __init__ method
        if "_AttribDict__initialised" not in self.__dict__:
            return dict.__setattr__(self, item, value)

        # Any normal attributes are handled normally
        elif item in self.__dict__:
            dict.__setattr__(self, item, value)

        else:
            self.__setitem__(item, value)

    def __getstate__(self):
        return self.__dict__

    def __setstate__(self, dict):
        self.__dict__ = dict

    def __deepcopy__(self, memo):
        retVal = self.__class__()
        memo[id(self)] = retVal

        for attr in dir(self):
            if not attr.startswith('_'):
                value = getattr(self, attr)
                if not isinstance(value,
                                  (types.BuiltinFunctionType,
                                   types.FunctionType, types.MethodType)):
                    setattr(retVal, attr, copy.deepcopy(value, memo))

        for key, value in self.items():
            retVal.__setitem__(key, copy.deepcopy(value, memo))

        return retVal

flu = AttribDict()
  

в manage.py вот так:

 from data import flu

if __name__ == "__main__":
    import thread
    from tasks import task
    thread.start_new_thread(task, ())
    with open('manage.txt','w') as w:
        w.write(str(flu)   'n'   'id:'   str(id(flu)))
    execute_manager(settings)
  

task.py вот так:

 def task():
    Popen('python start.py ', shell=True)
  

start.py вот так:

 def statrt():
    from config import init 
    from data import flu
    init()
    with open('C:start.txt','w') as w:
        w.write(str(flu)   'n'   'id:'   str(id(flu)))
  

init.py вот так:

 from data import flu

def init():
    flu.threads = 10
    res.threadpool = ThreadPool(flu.threads)
    with open('C:/init.txt','w') as w:
        w.write(str(flu)   'n'   'id:'   str(id(flu)))
  

Затем я смотрю на три файла manage.txt start.txt и init.txt

manage.txt вот так:

 {'threads': 10}
id: 191935728
  

start.txt вот так:

 {}
id: 195720888
  

init.txt вот так:

 {'threads': 10}
id: 191935728
  

Могу я спросить, почему идентификаторы этих трех файлов разные? Почему я не могу получить поток в start.txt ?

Комментарии:

1. Было бы полезно, если бы вы включили код, в котором flu определено.

2. Да, я добавил код для flu

3. @D.T: В, def statrt(): которые import flu находятся внутри функции, результаты в локальном пространстве имен с новым экземпляром.