<질문>
텍스트 파일이 있습니다. 비어 있는지 여부를 어떻게 확인할 수 있습니까?
<답변1>
>>> import os
>>> os.stat("file").st_size == 0
True
<답변2>
import os
os.path.getsize(fullpathhere) > 0
<답변3>
둘 다getsize()
그리고stat()
파일이 존재하지 않으면 예외가 발생합니다. 이 함수는 던지지 않고 True/False를 반환합니다(간단하지만 덜 강력함).
import os
def is_non_zero_file(fpath):
return os.path.isfile(fpath) and os.path.getsize(fpath) > 0
<답변4>
Python 3을 사용하는 경우pathlib
액세스할 수 있습니다os.stat()
정보를 사용하여Path.stat()
속성이 있는 메소드st_size
(파일 크기(바이트):
>>> from pathlib import Path
>>> mypath = Path("path/to/my/file")
>>> mypath.stat().st_size == 0 # True if empty
<답변5>
어떤 이유로 이미 파일이 열려 있는 경우 다음을 시도할 수 있습니다.
>>> 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" # The first character is the empty string..
... else:
... my_file.seek(0) # The first character wasn't empty. Return to the start of the file.
... # Use file now
...
file is empty
<답변6>
파일 객체가 있으면
>>> 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
<답변7>
결합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
<답변8>
빈 파일이 무엇인지 정의하지 않았으므로 일부는 빈 줄만 있는 파일을 빈 파일로 간주할 수도 있습니다. 파일이 있는지 확인하고 싶다면빈 줄만 포함(공백 문자, '\r', '\n', '\t'), 아래 예를 따를 수 있습니다.
파이썬 3
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 ]와 같음)*
Quantifier — 0번과 무제한 시간 사이에서 일치하며, 가능한 한 많이, 필요에 따라 되돌려줍니다(욕심)$
라인의 끝에서 위치를 어설션
<답변9>
중요한 문제:압축된 빈 파일로 테스트했을 때 0이 아닌 것으로 나타납니다.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
따라서 테스트할 파일이 압축되었는지 확인하고(예: 파일 이름 접미사 확인) 압축된 경우 임시 위치에 보관하거나 압축을 풀고 압축되지 않은 파일을 테스트한 다음 완료되면 삭제해야 합니다.
압축 파일의 크기를 테스트하는 더 좋은 방법: 직접 읽기the appropriate compression module. 파일의 첫 번째 줄만 읽으면 됩니다.for example.
<답변10>
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()
<답변11>
import json
import os
def append_json_to_file(filename, new_data):
""" If filename does not exist """
data = []
if not os.path.isfile(filename):
data.append(new_data)
with open(filename, 'w') as f:
f.write(json.dumps(data))
else:
""" If filename exists but empty """
if os.stat(filename).st_size == 0:
data = []
with open(filename, 'w') as f:
f.write(json.dumps(data))
""" If filename exists """
with open(filename, 'r+') as f:
file_data = json.load(f)
file_data.append(new_data)
f.seek(0)
json.dump(file_data, f)
filename = './exceptions.json'
append_json_to_file(filename, {
'name': 'LVA',
'age': 22
})
append_json_to_file(filename, {
'name': 'CSD',
'age': 20
})
[{"name": "LVA", "age": 22}, {"name": "CSD", "age": 20}]
'개발 > Python' 카테고리의 다른 글
[파이썬] 딕셔너리에서 keys()와 values()는 항상 순서가 같을까? (0) | 2023.01.22 |
---|---|
[파이썬] 파일을 읽으면 파일 핸들이 계속 열려 있어야 할까? (0) | 2023.01.22 |
[파이썬] Pandas 인덱스 열 이름을 얻는 방법 (0) | 2023.01.21 |
[파이썬] sql에서 'count(distinct)'를 Pandas에서 하는 방법 (0) | 2023.01.21 |