如何在python中检查文件大小?

How to check file size in python?

我正在Windows中编写一个python脚本。我想根据文件大小做一些事情。例如,如果大小大于0,我将向某人发送电子邮件,否则继续执行其他操作。

如何检查文件大小?


使用os.path.getsize

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

输出以字节为单位。


使用os.stat并使用结果对象的st_size成员:

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

输出以字节为单位。


其他答案适用于真实文件,但如果您需要适用于"文件类对象"的内容,请尝试以下操作:

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

在我有限的测试中,它适用于真实的文件和Stringio。(python 2.7.3.)当然,"类文件对象"API并不是一个严格的接口,但是API文档建议类文件对象应该支持seek()tell()

编辑

这与os.stat()的另一个区别是,即使您没有读取文件的权限,也可以对文件进行stat()操作。显然,除非您具有读取权限,否则Seek/Tell方法将不起作用。

编辑2

在乔纳森的建议下,这里有一个偏执的版本。(上面的版本将文件指针保留在文件末尾,因此如果您尝试从文件中读取,您将得到零字节的返回!)

1
2
3
4
5
# 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)


1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
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)

结果:

1
6.1 MB


使用pathlib(在python 3.4中添加,或者在pypi上提供一个后端端口):

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

这实际上只是围绕os.stat的一个接口,但是使用pathlib提供了一种访问其他与文件相关操作的简单方法。


如果我想从bytes转换到任何其他单位,我会使用bitshift技巧。如果按10进行右移位,则基本上按顺序(倍数)进行移位。

Example: 5GB are 5368709120 bytes

1
2
3
print (5368709120 >> 10)  # 5242880 kilo Bytes (kB)
print (5368709120 >> 20 ) # 5120 Mega Bytes(MB)
print (5368709120 >> 30 ) # 5 Giga Bytes(GB)


严格来说,python代码(+pseudo代码)应该是:

1
2
3
4
5
6
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>

1
2
3
4
5
6
7
8
9
10
11
12
13
#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 ....