Python에서 제공하는 File, Directory의 경로에 관련된 API를 알아보겠습니다.
1. 현재 작업 폴더 경로(Working directory)
getcwd()
는 python 실행 파일의 부모 경로를 리턴합니다.
import os
print(os.getcwd())
Output:
/home/js/python-example/tests
2. 현재 작업 경로(Working directory) 변경
chdir()
은 현재 프로그램의 작업 경로를 변경할 수 있습니다.
변경 후, getcwd()
를 호출하면 변경된 dir이 리턴됩니다.
import os
os.chdir('/home/js/project')
print(os.getcwd())
Output:
/home/js/project
3. 현재 작업 경로의 파일 리스트 출력
아무 인자가 없이 listdir()
를 호출하면 작업 경로에 있는 파일 리스트를 출력합니다.
import os
print(os.getcwd())
print(os.listdir())
Output:
['directory.py', 'date_and_time.py', 'test_code.py', 'example.py', 'sleep_example.py']
4. 특정 경로의 파일 리스트 출력
listdir()
의 인자로 path를 넘겨주면 그 path의 파일 리스트를 리턴합니다.
path는 상대경로나 절대경로 모두 가능합니다.
import os
print(os.listdir("./"))
Output:
['directory.py', 'date_and_time.py', 'test_code.py', 'example.py', 'sleep_example.py']
5. 현재 작업 경로에 폴더 생성
mkdir()
는 현재 작업 경로에 인자로 전달된 이름으로 폴더를 생성합니다.
import os
os.mkdir('test_dir')
print(os.listdir())
Output:
['test_dir', 'example.py']
6. 디렉토리, 폴더 이름 변경
rename()으로 폴더 이름을 변경할 수 있습니다. 첫번째 인자로 변경할 디렉토리 이름을, 두번째 인자로 변경하고 싶은 이름을 입력합니다.
import os
os.mkdir('test_dir')
print(os.listdir())
os.rename('test_dir', 'renamed_dir')
print(os.listdir())
Output:
['test_dir', 'example.py']
['example.py', 'renamed_dir']
7. 디렉토리, 폴더 삭제
rmdir()
은 인자로 전달되는 디렉토리를 삭제합니다.
import os
os.mkdir('test_dir')
print(os.listdir())
os.rmdir('test_dir')
print(os.listdir())
Output:
['test_dir', 'example.py']
['example.py']
rmdir()
은 비어있는 디렉토리만 삭제합니다. 디렉토리 안에 어떤 파일이 있다면 다음과 같은 에러와 함께 실패합니다.
import os
os.mkdir('test_dir')
os.mkdir('test_dir/test_dir2')
os.rmdir('test_dir')
Output:
Error
Traceback (most recent call last):
File "/usr/lib/python3.6/unittest/case.py", line 59, in testPartExecutor
yield
File "/usr/lib/python3.6/unittest/case.py", line 605, in run
testMethod()
File "/home/js/python-example/tests/example.py", line 50, in test7
os.rmdir('test_dir')
OSError: [Errno 39] Directory not empty: 'test_dir'
8. 디렉토리와 파일 모두 삭제
디렉토리와 그 안에 존재하는 모든 파일도 삭제하고 싶다면 shutil.rmtree()
를 사용하면 됩니다.
import shutil
import os
os.mkdir('test_dir')
os.mkdir('test_dir/test_dir2')
shutil.rmtree('test_dir')
9. 상대 경로를 절대 경로로 변환
abspath()
는 인자로 전달된 상대경로를 절대 경로로 변환합니다.
import os
path = "./"
print(os.path.abspath(path))
Output:
/home/js/python-example/tests
10. Path에서 디렉토리와 파일 이름 분리
os.path.split()
는 인자로 전달된 Path에서 디렉토리 경로와 File 이름을 분리하여 Tuple로 리턴합니다.
import os
path = "/home/js/myproject/test.py"
paths = os.path.split(path)
print(paths)
Output:
('/home/js/myproject', 'test.py')
다음과 같이 dir과 file 변수에 바로 할당하도록 할 수도 있습니다.
dir, file = os.path.split(path)
print(dir)
print(file)
Output
/home/js/myproject
test.py
11. 파일 경로 생성(Join)
join()으로 Directory 경로와 파일 이름으로 path를 생성할 수 있습니다. 다음과 같이 dir과 file 이름을 인자로 전달합니다.
import os
path = os.path.join("/home/js/myproject", "test.py")
print(path)
Output:
/home/js/myproject/test.py
12. 파일 존재 유무 확인
exists()
로 파일 또는 디렉토리가 존재하는지 확인할 수 있습니다.
import os
if os.path.exists("/home/js"):
print("This dir exists")
Output:
This dir exists
13. Path가 디렉토리인지 확인
isdir()
으로 인자로 전달된 경로가 Directory인지 확인할 수 있습니다. 디렉토리가 아닌 파일이라면 False가 리턴됩니다.
import os
if os.path.isdir("/home/js"):
print("It's directory")
Output:
It's directory
14. Path가 파일인지 확인
isfile()
은 인자로 전달된 경로가 파일이라면 True를 리턴합니다. 디렉토리라면 False가 리턴됩니다.
if not os.path.isfile("/home/js"):
print("It's not file")
if os.path.isfile("/home/js/test.py"):
print("It's file")
Output:
It's not file
It's file
Related Posts
- Python - Yaml 파일 파싱하는 방법
- Python - 파일 내용 삭제
- Python - for문에서 리스트 순회 중 요소 값 제거
- Python - 두 리스트에서 공통 요소 값 찾기
- Python - 문자열 앞(뒤)에 0으로 채우기
- Python - 공백으로 문자열 분리
- Python - 중첩 리스트 평탄화(1차원 리스트 변환)
- Python - 16진수 문자열을 Int로 변환
- Python - 두 날짜, 시간 비교
- Python f-string으로 변수 이름, 값 쉽게 출력 (변수명 = )
- Python - nonlocal과 global 사용 방법
- Python 바다코끼리 연산자 := 알아보기
- Python - pip와 requirements.txt로 패키지 관리
- Python - 딕셔너리 보기 좋게 출력 (pprint)
- Python - Requests 사용 방법 (GET/POST/PUT/PATCH/DELETE)
- Python - 온라인 컴파일러 사이트 추천
- Python - os.walk()를 사용하여 디렉토리, 파일 탐색
- Python - 문자열 비교 방법
- Python - Text 파일 읽고 쓰는 방법 (read, write, append)
- Python - 리스트에서 첫번째, 마지막 요소 가져오는 방법
- Python - 두개의 리스트 하나로 합치기
- Python - 리스트의 마지막 요소 제거
- Python - 리스트의 첫번째 요소 제거
- Python 소수점 버림, 4가지 방법
- Python 코드 안에서 버전 확인 방법
- Python 소수점 반올림, round() 예제
- Python - 리스트 평균 구하기, 3가지 방법
- Python - bytes를 String으로 변환하는 방법
- Python - String을 bytes로 변환하는 방법
- Python 버전 확인 방법 (터미널, cmd 명령어)
- Python - 람다(Lambda) 함수 사용 방법
- Python - dict 정렬 (Key, Value로 sorting)
- Python - range() 사용 방법 및 예제
- Python - 리스트를 문자열로 변환
- Python - 문자를 숫자로 변환 (String to Integer, Float)