답변:
모듈 의 mkdtemp()
기능을 사용하십시오 tempfile
.
import tempfile
import shutil
dirpath = tempfile.mkdtemp()
# ... do stuff with dirpath
shutil.rmtree(dirpath)
with tempfile.TemporaryDirectory() as dirpath:
있으며 컨텍스트 관리자를 종료하면 임시 디렉토리가 자동으로 정리됩니다. docs.python.org/3.4/library/…
Python 3에서는 tempfile 모듈의 TemporaryDirectory 를 사용할 수 있습니다.
이것은 예제와 직결됩니다 .
import tempfile
with tempfile.TemporaryDirectory() as tmpdirname:
print('created temporary directory', tmpdirname)
# directory and contents have been removed
디렉토리를 조금 더 길게 유지하려면 다음과 같이 할 수 있습니다 (예가 아닌).
import tempfile
import shutil
temp_dir = tempfile.TemporaryDirectory()
print(temp_dir.name)
# use temp_dir, and when done:
shutil.rmtree(temp_dir.name)
@MatthiasRoelandts가 지적했듯이 문서는 또한 " cleanup()
메소드 를 호출하여 디렉토리를 명시 적으로 정리할 수있다"고 말합니다 .
다른 답변을 확장하기 위해 예외 상황에서도 tmpdir을 정리할 수있는 상당히 완전한 예제가 있습니다.
import contextlib
import os
import shutil
import tempfile
@contextlib.contextmanager
def cd(newdir, cleanup=lambda: True):
prevdir = os.getcwd()
os.chdir(os.path.expanduser(newdir))
try:
yield
finally:
os.chdir(prevdir)
cleanup()
@contextlib.contextmanager
def tempdir():
dirpath = tempfile.mkdtemp()
def cleanup():
shutil.rmtree(dirpath)
with cd(dirpath, cleanup):
yield dirpath
def main():
with tempdir() as dirpath:
pass # do something here
python 3.2 이상에서는 stdlib https://docs.python.org/3/library/tempfile.html#tempfile.TemporaryDirectory 에 유용한 컨텍스트 관리자가 있습니다.