一時ディレクトリを作成し、Pythonでパス/ファイル名を取得する方法
別の答えを拡張するために、例外でも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にこのための便利なcontextmanagerがあります https://docs.python.org/3/library/tempfile.html#tempfile.TemporaryDirectory
Python 3、 TemporaryDirectory in tempfile モジュールを使用できます。
これは examples から直接です:
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)