파일이나 폴더를 삭제하는 방법?


답변:


3343

PathPython 3.4+ pathlib모듈의 객체 도 다음 인스턴스 메소드를 노출합니다.


5
Windows의 os.rmdir ()은 대상 디렉토리가 비어 있지 않은 경우에도 디렉토리 기호 링크를 제거합니다.
Lu55

8
파일이 존재하지 않으면 os.remove()예외가 발생하므로 os.path.isfile()먼저 확인 하거나을 래핑 해야 할 수도 있습니다 try.
벤 크로 웰 (Ben Crowell)

2
Path.unlink 1 /이 재귀 적 2 / FileNotfoundError를 무시하는 옵션을 추가하기를 바랍니다.
Jérôme

7
그냥 완료 ... os.remove()파일이 존재하지 않는 경우에 throw되는 예외 는 FileNotFoundError입니다.
PedroA

os.remove() 여러 개의 파일을 삭제하기 위해 여러 개의 인수를 사용 합니까 , 아니면 각 파일에 대해 매번 호출합니까?
user742864

292

파일을 삭제하는 Python 구문

import os
os.remove("/tmp/<file_name>.txt")

또는

import os
os.unlink("/tmp/<file_name>.txt")

또는

Python 용 pathlib 라이브러리 버전> 3.5

file_to_rem = pathlib.Path("/tmp/<file_name>.txt")
file_to_rem.unlink()

Path.unlink (missing_ok = 거짓)

파일 또는 심볼릭 링크를 제거하는 데 사용되는 연결 해제 방법.

missing_ok가 false (기본값)이면 경로가 존재하지 않으면 FileNotFoundError가 발생합니다.
missing_ok가 true이면 FileNotFoundError 예외가 무시됩니다 (POSIX rm -f 명령과 동일한 동작).
버전 3.8으로 변경 : missing_ok 매개 변수가 추가되었습니다.

모범 사례

  1. 먼저 파일 또는 폴더가 있는지 확인한 다음 해당 파일 만 삭제하십시오. 이것은 두 가지 방법으로 달성 될 수 있습니다
    . os.path.isfile("/path/to/file")
    비. 사용하다exception handling.

를위한os.path.isfile

#!/usr/bin/python
import os
myfile="/tmp/foo.txt"

## If file exists, delete it ##
if os.path.isfile(myfile):
    os.remove(myfile)
else:    ## Show an error ##
    print("Error: %s file not found" % myfile)

예외 처리

#!/usr/bin/python
import os

## Get input ##
myfile= raw_input("Enter file name to delete: ")

## Try to delete the file ##
try:
    os.remove(myfile)
except OSError as e:  ## if failed, report it back to the user ##
    print ("Error: %s - %s." % (e.filename, e.strerror))

개별 출력

삭제할 파일 이름을 입력하십시오. demo.txt
오류 : demo.txt-해당 파일 또는 디렉토리가 없습니다.

삭제할 파일 이름을 입력하십시오. rrr.txt
오류 : rrr.txt-작업이 허용되지 않습니다.

삭제할 파일 이름을 입력하십시오 : foo.txt

폴더를 삭제하는 Python 구문

shutil.rmtree()

shutil.rmtree()

#!/usr/bin/python
import os
import sys
import shutil

# Get directory name
mydir= raw_input("Enter directory name: ")

## Try to remove tree; if failed show an error using try...except on screen
try:
    shutil.rmtree(mydir)
except OSError as e:
    print ("Error: %s - %s." % (e.filename, e.strerror))

13
두 줄 사이에서 파일을 제거하거나 변경할 수 있으므로 예외 처리를 권장합니다 (TOCTOU : en.wikipedia.org/wiki/Time_of_check_to_time_of_use ) Python FAQ 참조 docs.python.org/3/glossary.html#term-eafp
Éric Araujo

84

사용하다

shutil.rmtree(path[, ignore_errors[, onerror]])

( 셔틀 에 대한 전체 설명서를 참조하십시오 ) 및 / 또는

os.remove

os.rmdir

( OS 에 대한 완전한 문서 )


6
pathlib 인터페이스 (Python 3.4 이후)를 목록에 추가하십시오.
Paebbels

38

여기서 모두 사용하는 강력한 함수 os.removeshutil.rmtree:

def remove(path):
    """ param <path> could either be relative or absolute. """
    if os.path.isfile(path) or os.path.islink(path):
        os.remove(path)  # remove the file
    elif os.path.isdir(path):
        shutil.rmtree(path)  # remove dir and all contains
    else:
        raise ValueError("file {} is not a file or dir.".format(path))

8
즉, ISO C remove(path);호출 을 시뮬레이트하기위한 8 줄의 코드 입니다.
Kaz

2
@Kaz는 성가신 것에 동의했지만 나무와의 거래를 제거합니까? :-)
Ciro Santilli 冠状 病毒 审查 六四 事件 法轮功

5
os.path.islink(file_path): 버그는os.path.islink(path):
Neo li

32

내장 pathlib모듈을 사용할 수 있습니다 (Python 3.4 이상이 필요하지만 PyPI에는 이전 버전에 대한 백 포트가 있습니다 : pathlib, pathlib2).

파일을 제거하는 unlink방법 은 다음과 같습니다.

import pathlib
path = pathlib.Path(name_of_file)
path.unlink()

또는 폴더 rmdir를 제거하는 방법 :

import pathlib
path = pathlib.Path(name_of_folder)
path.rmdir()

2
비어 있지 않은 디렉토리는 어떻습니까?
Pranasas

@Pranasas 불행히도 pathlib비어 있지 않은 디렉토리 삭제를 처리 할 수 있는 것은 아무것도 없습니다 . 그러나 당신은 사용할 수 있습니다 shutil.rmtree. 그것은 다른 답변 중 몇 가지에서 언급되었으므로 포함시키지 않았습니다.
MSeifert

29

파이썬에서 파일이나 폴더를 어떻게 삭제합니까?

Python 3의 경우 파일과 디렉토리를 개별적으로 제거하려면 unlink및 메소드를 각각 사용하십시오 .rmdir Path

from pathlib import Path
dir_path = Path.home() / 'directory' 
file_path = dir_path / 'file'

file_path.unlink() # remove file

dir_path.rmdir()   # remove directory

Path객체에 상대 경로를 사용할 수도 있으며로 현재 작업 디렉토리를 확인할 수 있습니다 Path.cwd.

Python 2에서 개별 파일 및 디렉토리를 제거하려면 아래 레이블이 지정된 섹션을 참조하십시오.

내용이있는 디렉토리를 제거하려면을 shutil.rmtree사용하고 Python 2 및 3에서 사용할 수 있습니다.

from shutil import rmtree

rmtree(dir_path)

데모

Python 3.4의 새로운 기능이 Path객체입니다.

하나를 사용하여 디렉토리와 파일을 만들어 사용법을 보여 드리겠습니다. 우리가 사용하는 것이 주 /(당신처럼 백 슬래시를 두 번 중 하나에 필요 할 위치를 Windows에서 백 슬래시를 사용, 경로의 부분을 가입 운영 체제와 문제 사이의 문제에이 일을 \\하거나 같은 원시 문자열을 사용 r"foo\bar") :

from pathlib import Path

# .home() is new in 3.5, otherwise use os.path.expanduser('~')
directory_path = Path.home() / 'directory'
directory_path.mkdir()

file_path = directory_path / 'file'
file_path.touch()

그리고 지금:

>>> file_path.is_file()
True

이제 삭제하겠습니다. 먼저 파일 :

>>> file_path.unlink()     # remove file
>>> file_path.is_file()
False
>>> file_path.exists()
False

globbing을 사용하여 여러 파일을 제거 할 수 있습니다. 먼저이를 위해 몇 개의 파일을 만들어 보겠습니다.

>>> (directory_path / 'foo.my').touch()
>>> (directory_path / 'bar.my').touch()

그런 다음 glob 패턴을 반복하십시오.

>>> for each_file_path in directory_path.glob('*.my'):
...     print(f'removing {each_file_path}')
...     each_file_path.unlink()
... 
removing ~/directory/foo.my
removing ~/directory/bar.my

이제 디렉토리 제거를 보여줍니다.

>>> directory_path.rmdir() # remove directory
>>> directory_path.is_dir()
False
>>> directory_path.exists()
False

디렉토리와 그 안의 모든 것을 제거하려면 어떻게해야합니까? 이 사용 사례의 경우shutil.rmtree

디렉토리와 파일을 다시 만들어 봅시다 :

file_path.parent.mkdir()
file_path.touch()

그리고 참고 rmdir비어 않는 한 실패 rmtree 너무 편리 이유입니다 :

>>> directory_path.rmdir()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "~/anaconda3/lib/python3.6/pathlib.py", line 1270, in rmdir
    self._accessor.rmdir(self)
  File "~/anaconda3/lib/python3.6/pathlib.py", line 387, in wrapped
    return strfunc(str(pathobj), *args)
OSError: [Errno 39] Directory not empty: '/home/username/directory'

이제 rmtree를 가져 와서 디렉토리를 함수에 전달하십시오.

from shutil import rmtree
rmtree(directory_path)      # remove everything 

모든 것이 제거 된 것을 볼 수 있습니다.

>>> directory_path.exists()
False

파이썬 2

Python 2 를 사용하는 경우 pathlib2라는 pathlib 모듈백 포트가 있으며 pip와 함께 설치할 수 있습니다.

$ pip install pathlib2

그런 다음 라이브러리의 별칭을 지정할 수 있습니다 pathlib

import pathlib2 as pathlib

또는 Path여기에 설명 된대로 객체를 직접 가져 오십시오 .

from pathlib2 import Path

그 너무 많이 있다면, 당신이 파일을 제거 할 수 있습니다 os.remove또는os.unlink

from os import unlink, remove
from os.path import join, expanduser

remove(join(expanduser('~'), 'directory/file'))

또는

unlink(join(expanduser('~'), 'directory/file'))

다음을 사용하여 디렉토리를 제거 할 수 있습니다 os.rmdir.

from os import rmdir

rmdir(join(expanduser('~'), 'directory'))

참고 또한이 있음 os.removedirs- 그것은 단지 반복적으로 빈 디렉토리를 제거하지만 당신의 사용 사례에 맞게 할 수 있습니다.


rmtree(directory_path)python 3.6.6에서는 작동하지만 python 3.5.2에서는 작동하지 않습니다 rmtree(str(directory_path))).
Stein

4
import os

folder = '/Path/to/yourDir/'
fileList = os.listdir(folder)

for f in fileList:
    filePath = folder + '/'+f

    if os.path.isfile(filePath):
        os.remove(filePath)

    elif os.path.isdir(filePath):
        newFileList = os.listdir(filePath)
        for f1 in newFileList:
            insideFilePath = filePath + '/' + f1

            if os.path.isfile(insideFilePath):
                os.remove(insideFilePath)

1
이렇게하면 폴더 내부의 파일과 하위 폴더 만 삭제되고 폴더 구조는 그대로 유지됩니다.
Lalithesh

4

shutil.rmtree는 비동기 함수이므로 완료 시점을 확인하려면 while ... loop를 사용할 수 있습니다.

import os
import shutil

shutil.rmtree(path)

while os.path.exists(path):
  pass

print('done')

1
shutil.rmtree비동기식이어야합니다. 그러나 바이러스 스캐너를 방해하는 Windows에있는 것처럼 보일 수 있습니다.
mhsmith

@mhsmith 바이러스 스캐너 ? 그 거친 추측입니까, 아니면 실제로이 효과를 일으킬 수 있다는 것을 알고 있습니까? 그렇다면 지구상에서 어떻게 작동합니까?
Mark Amery

2

파일을 삭제하는 경우 :

os.unlink(path, *, dir_fd=None)

또는

os.remove(path, *, dir_fd=None)

두 기능은 의미 상 동일합니다. 이 기능은 파일 경로를 제거 (삭제)합니다. 경로가 파일이 아니고 디렉토리 인 경우 예외가 발생합니다.

폴더를 삭제하는 경우 :

shutil.rmtree(path, ignore_errors=False, onerror=None)

또는

os.rmdir(path, *, dir_fd=None)

전체 디렉토리 트리를 제거하기 위해 shutil.rmtree()사용할 수 있습니다. os.rmdir디렉토리가 비어 있고 존재하는 경우에만 작동합니다.

상위 폴더로 재귀 적으로 폴더를 삭제하는 경우 :

os.removedirs(name)

그것은 내용이있는 부모까지 자체로 모든 빈 부모 디렉토리를 제거합니다.

전의. os.removedirs ( 'abc / xyz / pqr')는 'abc / xyz / pqr', 'abc / xyz'및 'abc'가 비어 있으면 순서대로 디렉토리를 제거합니다.

추가 정보를 확인 공식 문서의 경우 : os.unlink, os.remove, os.rmdir, shutil.rmtree,os.removedirs


1

폴더의 모든 파일을 제거하려면

import os
import glob

files = glob.glob(os.path.join('path/to/folder/*'))
files = glob.glob(os.path.join('path/to/folder/*.csv')) // It will give all csv files in folder
for file in files:
    os.remove(file)

디렉토리의 모든 폴더를 제거하려면

from shutil import rmtree
import os

// os.path.join()  # current working directory.

for dirct in os.listdir(os.path.join('path/to/folder')):
    rmtree(os.path.join('path/to/folder',dirct))

0

Éric Araujo의 comment에 의해 강조된 TOCTOU 문제 를 피하기 위해 올바른 메소드를 호출하는 예외를 포착 할 수 있습니다.

def remove_file_or_dir(path: str) -> None:
    """ Remove a file or directory """
    try:
        shutil.rmtree(path)
    except NotADirectoryError:
        os.remove(path)

이후는 shutil.rmtree()단지 디렉토리를 제거하고 os.remove()또는 os.unlink()파일 만 제거합니다.


shutil.rmtree()디렉토리뿐만 아니라 그 내용도 제거합니다.
Tiago Martins Peres 李大仁

-1

subprocess아름답고 읽을 수있는 코드를 작성하는 것이 차 한잔이라면 사용 하는 것이 좋습니다 .

import subprocess
subprocess.Popen("rm -r my_dir", shell=True)

소프트웨어 엔지니어가 아니라면 Jupyter를 사용해보십시오. bash 명령을 입력하면됩니다 :

!rm -r my_dir

전통적으로 다음을 사용합니다 shutil.

import shutil
shutil.rmtree(my_dir) 

3
하위

3
나는 subprocess이것을 권장하지 않습니다 . shutil.rmtree합니까 rm -rWindows에서 작업의 추가 보너스와의 작업 잘.
Mark Amery
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.