AlexMartelliとCatskulの回答をフォローアップするため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
" vs "question is ... importing a class or function X from a module Y
"。そのエフェクトに編集を追加しています。