What is the method in Python to remove empty lines?
There are several common ways to remove blank lines in Python.
- Utilize the strip() method:
with open('file.txt', 'r') as file:
lines = file.readlines()
lines = [line.strip() for line in lines if line.strip()]
- Utilizing the rstrip() method:
with open('file.txt', 'r') as file:
lines = file.readlines()
lines = [line.rstrip() for line in lines if line.rstrip()]
- Using the join() method:
with open('file.txt', 'r') as file:
content = file.read()
lines = [line for line in content.split('\n') if line.strip()]
result = '\n'.join(lines)
The methods provided can all achieve the removal of empty lines in a file. The choice of method depends on your specific needs and personal preferences.