私はPythonで独自のコンテキストマネージャーを作成することで遊んでいます。実装が原因で、奇妙な動作が見られる可能性があります。
__exit__
'with'コンテキストのステートメントの前に呼び出されたコードが表示されます。たとえば、コードスニペットは次のとおりです。
with ProgressBar(10) as p:
p.update(1)
そしてそれは例外です:
Traceback (most recent call last):
File "<stdin>", line 3, in <module>
AttributeError: 'NoneType' object has no attribute 'update'
__enter__
コンテキストマネージャーのすべての、、、__exit__
およびupdateメソッドにデバッグを入れました。__exit__
update()の前に呼び出されたようです。これは意味がないので、私は単純な何かを見逃しているに違いありません。
これが私の単純なコンテキストマネージャークラスです。
class ProgressBar(object):
"""Progress bar that normalizes progress to [0 - 100] scale"""
def __init__(self, max_value):
"""Create progress bar with max_value"""
self._current_value = 0.0
self._completed_value = 100.0
self._max_value = float(max_value)
print 'init', max_value
def __enter__(self):
"""Start of context manager, 'with' statement"""
print 'enter'
self._current_value = 0.0
def __exit__(self, exc_type, exc_value, traceback):
"""Start of context manager, 'with' statement"""
print 'exit'
self._current_value = self._completed_value
# Not handling any exceptions, so they'll be raised automatically
# To ignore exceptions return True or inspect arguments to handle
return False
def update(self, value):
"""Update progress value"""
print 'update'
if value >= self._max_value:
self._current_value = 100
else:
self._current_value = (value / self._max_value) * self._completed_value
print '\r%s' % (self._current_value),