Aby podążać za odpowiedziami Alexa Martellego i Catskula , istnieje kilka naprawdę prostych, ale paskudnych przypadków, które wydają się być zagmatwane reload
, przynajmniej w Pythonie 2.
Załóżmy, że mam następujące drzewo źródłowe:
- foo
- __init__.py
- bar.py
o następującej treści:
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)
Działa to dobrze bez użycia reload
:
>>> from foo import Quux
Loading bar
>>> Quux()
Quux[0, x=43]
>>> Quux()
Quux[1, x=43]
>>> Quux()
Quux[2, x=43]
Ale spróbuj ponownie załadować, a to albo nie ma wpływu, albo psuje rzeczy:
>>> 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
Jedynym sposobem mogę zapewnić bar
submodule został załadowany było reload(foo.bar)
; jedynym sposobem, w jaki mogę uzyskać dostęp do przeładowanej Quux
klasy, jest sięgnięcie do niej i pobranie jej z ponownie załadowanego modułu podrzędnego; ale foo
sam moduł trzymał się oryginalnego Quux
obiektu klasy, prawdopodobnie dlatego, że używa from bar import Bar, Quux
(a nie import bar
następuje po nim Quux = bar.Quux
); ponadto Quux
klasa straciła synchronizację ze sobą, co jest po prostu dziwne.
... possible ... import a component Y from module X
„kontraquestion is ... importing a class or function X from a module Y
”. Dodaję zmianę w tym celu.