web-dev-qa-db-fra.com

Comment vérifier si un fichier est vide ou non?

J'ai un fichier texte.
Comment puis-je vérifier s'il est vide ou non?

194
webminal.org
>>> import os
>>> os.stat("file").st_size == 0
True
242
ghostdog74
import os    
os.path.getsize(fullpathhere) > 0
98
Jon

getsize() et stat() liront une exception si le fichier n'existe pas. Cette fonction retournera Vrai/Faux sans lancer:

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

si, pour une raison quelconque, le fichier était déjà ouvert, vous pouvez essayer ceci:

>>> 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
21
robert king

Ok, je vais combiner la réponse de ghostdog74 et les commentaires, juste pour le fun.

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

False signifie un fichier non vide.

Alors écrivons une fonction:

import os

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

si vous avez l'objet fichier, alors

>>> 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
0
Qlimax

Si vous utilisez Python3 avec pathlib, vous pouvez accéder à os.stat() information en utilisant la méthode stat , qui possède l'attribut st_size (taille du fichier en octets):

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