วิธีสร้างไดเรกทอรีชั่วคราวและรับชื่อพา ธ / ไฟล์ใน Python


คำตอบ:


210

ใช้mkdtemp()ฟังก์ชั่นจากtempfileโมดูล:

import tempfile
import shutil

dirpath = tempfile.mkdtemp()
# ... do stuff with dirpath
shutil.rmtree(dirpath)

7
หากคุณใช้สิ่งนี้ในการทดสอบอย่าลืมลบไดเรกทอรี (shutil.rmtree) เพราะมันไม่ได้ถูกลบโดยอัตโนมัติหลังการใช้งาน "ผู้ใช้ mkdtemp () รับผิดชอบการลบไดเรกทอรีชั่วคราวและเนื้อหาในไดเรกทอรีเมื่อทำเสร็จ" ดู: docs.python.org/2/library/tempfile.html#tempfile.mkdtemp
Niels Bom

97
ใน python3 คุณสามารถทำได้with tempfile.TemporaryDirectory() as dirpath:และไดเรกทอรีชั่วคราวจะล้างข้อมูลโดยอัตโนมัติเมื่อออกจากตัวจัดการบริบท docs.python.org/3.4/library/…
Symmetric

41

ใน Python 3 สามารถใช้TemporaryDirectoryในโมดูลtempfileได้

ตรงจากตัวอย่าง :

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()วิธีการ"


2
ไม่จำเป็นต้องใช้ shutil.rmtree (temp_dir.name)
sidcha

37

หากต้องการขยายคำตอบอื่น ๆ นี่เป็นตัวอย่างที่ค่อนข้างสมบูรณ์ซึ่งสามารถล้าง 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


3

หากฉันได้รับคำถามของคุณอย่างถูกต้องคุณต้องการทราบชื่อของไฟล์ที่สร้างขึ้นภายในไดเรกทอรีชั่วคราวหรือไม่ ถ้าเป็นเช่นนั้นลองสิ่งนี้:

import os
import tempfile

with tempfile.TemporaryDirectory() as tmp_dir:
    # generate some random files in it
     files_in_dir = os.listdir(tmp_dir)
โดยการใช้ไซต์ของเรา หมายความว่าคุณได้อ่านและทำความเข้าใจนโยบายคุกกี้และนโยบายความเป็นส่วนตัวของเราแล้ว
Licensed under cc by-sa 3.0 with attribution required.