본문 바로가기
Python/Python FAQ

Python 파일 출력과 함께 디렉토리 자동 생성하기 [중복], Automatically creating directories with file output [duplicate]

by 베타코드 2023. 10. 13.
반응형

질문


파일을 만들고 싶다고 가정해 봅시다:

filename = "/foo/bar/baz.txt"

with open(filename, "w") as f:
    f.write("FOOBAR")

이렇게 하면 IOError가 발생합니다. 왜냐하면 /foo/bar가 존재하지 않기 때문입니다.

이러한 디렉토리를 자동으로 생성하는 가장 파이썬다운 방법은 무엇인가요? 모든 디렉토리에 대해 명시적으로 os.path.existsos.mkdir를 호출해야 할 필요가 있을까요? (예: /foo, 그리고 /foo/bar)


답변


Python 3.2+에서는 OP가 요청한 API를 사용하여 다음을 우아하게 할 수 있습니다:


import os

filename = "/foo/bar/baz.txt"
os.makedirs(os.path.dirname(filename), exist_ok=True)
with open(filename, "w") as f:
    f.write("FOOBAR")


Python 3.4에서 도입된 Pathlib 모듈을 사용하면 대체 구문이 있습니다 (감사합니다 David258):

from pathlib import Path
output_file = Path("/foo/bar/baz.txt")
output_file.parent.mkdir(exist_ok=True, parents=True)
output_file.write_text("FOOBAR")

더 오래된 파이썬에서는 덜 우아한 방법이 있습니다:

os.makedirs 함수가 이 작업을 수행합니다. 다음을 시도해보세요:

import os
import errno

filename = "/foo/bar/baz.txt"
if not os.path.exists(os.path.dirname(filename)):
    try:
        os.makedirs(os.path.dirname(filename))
    except OSError as exc: # 경합 조건에 대비하여 예외 처리
        if exc.errno != errno.EEXIST:
            raise

with open(filename, "w") as f:
    f.write("FOOBAR")

try-except 블록을 추가하는 이유는 os.path.existsos.makedirs 호출 사이에 디렉토리가 생성된 경우 경합 조건으로부터 보호하기 위함입니다.


반응형

댓글