Python 3.3부터는 모듈 의 클래스 ExitStack
를 사용하여 임의의 수의 파일contextlib
을 안전하게
열 수 있습니다 .
동적 으로 인식되는 상황 인식 객체를 관리 할 수 있으므로 처리 할 파일 수를 모르는 경우 특히 유용 합니다 .
실제로, 설명서에 언급 된 표준 사용 사례는 동적 파일 수를 관리하는 것입니다.
with ExitStack() as stack:
files = [stack.enter_context(open(fname)) for fname in filenames]
# All opened files will automatically be closed at the end of
# the with statement, even if attempts to open files later
# in the list raise an exception
세부 사항에 관심이있는 경우 ExitStack
작동 방법을 설명하기위한 일반적인 예 는 다음과 같습니다.
from contextlib import ExitStack
class X:
num = 1
def __init__(self):
self.num = X.num
X.num += 1
def __repr__(self):
cls = type(self)
return '{cls.__name__}{self.num}'.format(cls=cls, self=self)
def __enter__(self):
print('enter {!r}'.format(self))
return self.num
def __exit__(self, exc_type, exc_value, traceback):
print('exit {!r}'.format(self))
return True
xs = [X() for _ in range(3)]
with ExitStack() as stack:
print(len(stack._exit_callbacks)) # number of callbacks called on exit
nums = [stack.enter_context(x) for x in xs]
print(len(stack._exit_callbacks))
print(len(stack._exit_callbacks))
print(nums)
산출:
0
enter X1
enter X2
enter X3
3
exit X3
exit X2
exit X1
0
[1, 2, 3]