Щоб продовжити відповіді Алекса Мартеллі та Кацкула , є кілька справді простих, але неприємних випадків, які, здається, бентежать reload
, принаймні в Python 2.
Припустимо, у мене є таке дерево джерел:
- foo
- __init__.py
- bar.py
з таким змістом:
init.py:
from bar import Bar, Quux
bar.py:
print "Loading bar"
class Bar(object):
@property
def x(self):
return 42
class Quux(Bar):
object_count = 0
def __init__(self):
self.count = self.object_count
self.__class__.object_count += 1
@property
def x(self):
return super(Quux,self).x + 1
def __repr__(self):
return 'Quux[%d, x=%d]' % (self.count, self.x)
Це чудово працює без використання reload
:
>>> from foo import Quux
Loading bar
>>> Quux()
Quux[0, x=43]
>>> Quux()
Quux[1, x=43]
>>> Quux()
Quux[2, x=43]
Але спробуйте перезавантажити, і це або не має ефекту, або пошкоджує речі:
>>> import foo
Loading bar
>>> from foo import Quux
>>> Quux()
Quux[0, x=43]
>>> Quux()
Quux[1, x=43]
>>> reload(foo)
<module 'foo' from 'foo\__init__.pyc'>
>>> Quux()
Quux[2, x=43]
>>> from foo import Quux
>>> Quux()
Quux[3, x=43]
>>> reload(foo.bar)
Loading bar
<module 'foo.bar' from 'foo\bar.pyc'>
>>> Quux()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "foo\bar.py", line 17, in __repr__
return 'Quux[%d, x=%d]' % (self.count, self.x)
File "foo\bar.py", line 15, in x
return super(Quux,self).x + 1
TypeError: super(type, obj): obj must be an instance or subtype of type
>>> Quux().count
5
>>> Quux().count
6
>>> Quux = foo.bar.Quux
>>> Quux()
Quux[0, x=43]
>>> foo.Quux()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "foo\bar.py", line 17, in __repr__
return 'Quux[%d, x=%d]' % (self.count, self.x)
File "foo\bar.py", line 15, in x
return super(Quux,self).x + 1
TypeError: super(type, obj): obj must be an instance or subtype of type
>>> foo.Quux().count
8
Єдиний спосіб, яким я міг забезпечити bar
перезавантаження підмодуля, - це reload(foo.bar)
; єдиний спосіб отримати доступ до перезавантаженого Quux
класу - це зайти і захопити його з перезавантаженого підмодуля; але сам foo
модуль продовжував утримувати оригінальний Quux
об'єкт класу, мабуть, тому, що він використовує from bar import Bar, Quux
(а не import bar
супроводжується Quux = bar.Quux
); крім того, Quux
клас вийшов з синхронізації із самим собою, що просто дивно.
... possible ... import a component Y from module X
" проти "question is ... importing a class or function X from a module Y
". Я додаю редакцію з цього приводу.