파이썬에서 파일이나 폴더를 삭제하는 방법?
답변
-
os.remove()
파일을 제거합니다. -
os.rmdir()
빈 디렉토리를 제거합니다. -
shutil.rmtree()
디렉토리와 그 내용을 모두 삭제합니다.
Path
Python 3.4+ pathlib
모듈의 객체 도 다음 인스턴스 메소드를 노출합니다.
-
pathlib.Path.unlink()
파일 또는 심볼릭 링크를 제거합니다. -
pathlib.Path.rmdir()
빈 디렉토리를 제거합니다.
답변
파일을 삭제하는 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 매개 변수가 추가되었습니다.
모범 사례
- 먼저 파일 또는 폴더가 있는지 확인한 다음 해당 파일 만 삭제하십시오. 이것은 두 가지 방법으로 달성 될 수 있습니다
.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))
답변
사용하다
shutil.rmtree(path[, ignore_errors[, onerror]])
( 셔틀 에 대한 전체 설명서를 참조하십시오 ) 및 / 또는
os.remove
과
os.rmdir
( OS 에 대한 완전한 문서 )
답변
여기서 모두 사용하는 강력한 함수 os.remove
와 shutil.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))
답변
내장 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()
답변
파이썬에서 파일이나 폴더를 어떻게 삭제합니까?
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
– 그것은 단지 반복적으로 빈 디렉토리를 제거하지만 당신의 사용 사례에 맞게 할 수 있습니다.
답변
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)