如何检查文件是否为空?

时间:2010-03-24 13:03:56

标签: python file file-length

我有一个文本文件 如何检查它是否为空?

10 个答案:

答案 0 :(得分:264)

>>> import os
>>> os.stat("file").st_size == 0
True

答案 1 :(得分:101)

import os    
os.path.getsize(fullpathhere) > 0

答案 2 :(得分:64)

如果文件不存在,getsize()stat()都会抛出异常。此函数将返回True / False而不抛出:

import os
def is_non_zero_file(fpath):  
    return os.path.isfile(fpath) and os.path.getsize(fpath) > 0

答案 3 :(得分:22)

如果由于某种原因你已经打开了文件,你可以试试这个:

>>> with open('New Text Document.txt') as my_file:
...     # I already have file open at this point.. now what?
...     my_file.seek(0) #ensure you're at the start of the file..
...     first_char = my_file.read(1) #get the first character
...     if not first_char:
...         print "file is empty" #first character is the empty string..
...     else:
...         my_file.seek(0) #first character wasn't empty, return to start of file.
...         #use file now
...
file is empty

答案 4 :(得分:9)

好的,所以我会将ghostdog74's answer和评论结合起来,只是为了好玩。

>>> import os
>>> os.stat('c:/pagefile.sys').st_size==0
False

False表示非空文件。

所以让我们写一个函数:

import os

def file_is_empty(path):
    return os.stat(path).st_size==0

答案 5 :(得分:1)

如果有文件对象,则

>>> import os
>>> with open('new_file.txt') as my_file:
...     my_file.seek(0, os.SEEK_END) # go to end of file
...     if my_file.tell(): # if current position is truish (i.e != 0)
...         my_file.seek(0) # rewind the file for later use 
...     else:
...         print "file is empty"
... 
file is empty

答案 6 :(得分:1)

一个重要的陷阱:使用getsize()stat()函数进行测试时,压缩的空文件似乎不为零:

$ python
>>> import os
>>> os.path.getsize('empty-file.txt.gz')
35
>>> os.stat("empty-file.txt.gz").st_size == 0
False

$ gzip -cd empty-file.txt.gz | wc
0 0 0

因此,您应该检查要测试的文件是否已压缩(例如检查文件名后缀),如果是,则将其保释或将其解压缩到临时位置,测试未压缩的文件,然后在完成后将其删除。

>

答案 7 :(得分:1)

由于您尚未定义什么是空文件。有些人可能会认为只有空白行的文件也是空文件。因此,如果要检查文件是否仅包含空白行(任何空格字符,“ \ r”,“ \ n”,“ \ t”),则可以按照以下示例进行操作:

Python3

import re

def whitespace_only(file):
    content = open(file, 'r').read()
    if re.search(r'^\s*$', content):
        return True

说明:上面的示例使用正则表达式(regex)来匹配文件的内容(content)。
具体来说:对于^\s*$的正则表达式,整体而言意味着文件是否仅包含空白行和/或空格。
-^在行的开头声明位置
-\s匹配任何空格字符(等于[\ r \ n \ t \ f \ v])
-*量词-匹配零次至无限次,并尽可能多地匹配,并根据需要返回(贪婪)
-$在行尾声明位置

答案 8 :(得分:0)

如果您将Python3与pathlib一起使用,则可以使用os.stat()方法访问stat信息,该方法具有属性st_size(文件大小以字节为单位):

>>> from pathlib import Path 
>>> mypath = Path("path/to/my/file")
>>> mypath.stat().st_size == 0 # True if empty

答案 9 :(得分:0)

如果要检查csv文件是否为空。......尝试此

with open('file.csv','a',newline='') as f:
        csv_writer=DictWriter(f,fieldnames=['user_name','user_age','user_email','user_gender','user_type','user_check'])
        if os.stat('file.csv').st_size > 0:
            pass
        else:
            csv_writer.writeheader()