[python] 파이썬에서 파일 크기를 어떻게 확인할 수 있습니까?

Windows에서 Python 스크립트를 작성 중입니다. 파일 크기를 기준으로 무언가를하고 싶습니다. 예를 들어, 크기가 0보다 큰 경우 누군가에게 이메일을 보내거나 그렇지 않으면 계속해서 보냅니다.

파일 크기는 어떻게 확인합니까?



답변

에서 반환 한 객체st_size속성이 필요합니다 . (Python 3.4+)를 사용하여 얻을 수 있습니다 .os.statpathlib

>>> from pathlib import Path
>>> Path('somefile.txt').stat()
os.stat_result(st_mode=33188, st_ino=6419862, st_dev=16777220, st_nlink=1, st_uid=501, st_gid=20, st_size=1564, st_atime=1584299303, st_mtime=1584299400, st_ctime=1584299400)
>>> Path('somefile.txt').stat().st_size
1564

또는 사용 os.stat:

>>> import os
>>> os.stat('somefile.txt')
os.stat_result(st_mode=33188, st_ino=6419862, st_dev=16777220, st_nlink=1, st_uid=501, st_gid=20, st_size=1564, st_atime=1584299303, st_mtime=1584299400, st_ctime=1584299400)
>>> os.stat('somefile.txt').st_size
1564

출력은 바이트 단위입니다.


답변

사용 os.path.getsize:

>>> import os
>>> b = os.path.getsize("/path/isa_005.mp3")
>>> b
2071611

출력은 바이트 단위입니다.


답변

다른 답변은 실제 파일에 대해서는 작동하지만 “파일과 유사한 객체”에 작동하는 것이 필요한 경우 다음을 시도하십시오.

# f is a file-like object. 
f.seek(0, os.SEEK_END)
size = f.tell()

제한된 테스트에서 실제 파일과 StringIO에서 작동합니다. (Python 2.7.3.) “file-like object”API는 물론 엄격한 인터페이스는 아니지만 API 문서 는 파일과 같은 오브젝트가 seek()및 을 지원해야한다고 제안합니다 tell().

편집하다

이것의 또 다른 차이점은 파일을 읽을 권한이 없어도 파일 os.stat()을 작성할 수 있다는 stat()것입니다. 읽기 권한이 없으면 찾기 / tell 접근 방식이 작동하지 않습니다.

편집 2

Jonathon의 제안에서 편집증 버전이 있습니다. (위의 버전은 파일 끝에 파일 포인터를 남깁니다. 따라서 파일에서 읽으려고하면 0 바이트가 반환됩니다!)

# f is a file-like object. 
old_file_position = f.tell()
f.seek(0, os.SEEK_END)
size = f.tell()
f.seek(old_file_position, os.SEEK_SET)


답변

import os


def convert_bytes(num):
    """
    this function will convert bytes to MB.... GB... etc
    """
    for x in ['bytes', 'KB', 'MB', 'GB', 'TB']:
        if num < 1024.0:
            return "%3.1f %s" % (num, x)
        num /= 1024.0


def file_size(file_path):
    """
    this function will return the file size
    """
    if os.path.isfile(file_path):
        file_info = os.stat(file_path)
        return convert_bytes(file_info.st_size)


# Lets check the file size of MS Paint exe 
# or you can use any file path
file_path = r"C:\Windows\System32\mspaint.exe"
print file_size(file_path)

결과:

6.1 MB


답변

사용 pathlib( PyPI에서 사용 가능한 백 포트 또는 Python 3.4에 추가 ) :

from pathlib import Path
file = Path() / 'doc.txt'  # or Path('./doc.txt')
size = file.stat().st_size

이것은 실제로는 인터페이스 일뿐 os.stat이지만 사용 pathlib하면 다른 파일 관련 작업에 쉽게 액세스 할 수 있습니다.


답변

다른 단위 bitshift로 변환하려는 경우 사용 하는 트릭 이 있습니다 bytes. 당신이 오른쪽 10으로 이동하면 기본적으로 순서대로 (다중) 이동합니다.

예: 5GB are 5368709120 bytes

print (5368709120 >> 10)  # 5242880 kilobytes (kB)
print (5368709120 >> 20 ) # 5120 megabytes (MB)
print (5368709120 >> 30 ) # 5 gigabytes (GB)


답변

엄격하게 질문에 충실하면 Python 코드 (+ 의사 코드)는 다음과 같습니다.

import os
file_path = r"<path to your file>"
if os.stat(file_path).st_size > 0:
    <send an email to somebody>
else:
    <continue to other things>