web-dev-qa-db-ja.com

Pythonでファイルサイズを確認するにはどうすればいいですか?

私はWindowsでPythonスクリプトを書いています。ファイルサイズに基づいて何かをしたいのですが。例えば、サイズが0より大きい場合、私は誰かにEメールを送りますが、そうでなければ他のことを続けます。

ファイルサイズを確認する方法

614
5YrsLaterDBA

os.stat を使用して、結果のオブジェクトのst_sizeメンバーを使用します。

>>> import os
>>> statinfo = os.stat('somefile.txt')
>>> statinfo
(33188, 422511L, 769L, 1, 1032, 100, 926L, 1105022698,1105022732, 1105022732)
>>> statinfo.st_size
926L

出力はバイト単位です。

576
Adam Rosenfield

os.path.getsizeを使う:

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

出力はバイト単位です。

934
danben

他の答えは実際のファイルに対しても有効ですが、「ファイルのようなオブジェクト」に対して有効なものが必要な場合は、これを試してください。

# 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ドキュメント は、file-likeオブジェクトがseek()tell()をサポートすべきであると示唆しています。

編集

これとos.stat()のもう一つの違いは、あなたがそれを読む許可を持っていなくてもあなたがファイルをstat()できることです。明らかにあなたが読み取り許可を持っていない限り、seek/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)
113
Mark E. Haase
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
54
Rajiv Sharma

pathlibを使用する( Python 3.4で追加された または PyPI で利用可能なバックポート):

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

これは本当にos.statを取り巻くインターフェースにすぎませんが、pathlibを使用すると他のファイル関連の操作にアクセスする簡単な方法が提供されます。

24
pumazi

bitshiftから他の単位に変換したい場合は、bytesのトリックがあります。もしあなたが10だけ右へシフトするなら、あなたは基本的にそれを一つのオーダー(複数)でシフトします。

例:5GB are 5368709120 bytes

print (5368709120 >> 10)  # 5242880 kilo Bytes (kB)
print (5368709120 >> 20 ) # 5120 Mega Bytes(MB)
print (5368709120 >> 30 ) # 5 Giga Bytes(GB)
11
user1767754

厳密に質問にこだわると、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>
8
#Get file size , print it , process it...
#Os.stat will provide the file size in (.st_size) property. 
#The file size will be shown in bytes.

import os

fsize=os.stat('filepath')
print('size:' + fsize.st_size.__str__())

#check if the file size is less than 10 MB

if fsize.st_size < 10000000:
    process it ....
0
Chikku Jacob