Sort lines of file with Python is an easy way to arrange the file content in ascending order. In this article, we will focus to sort lines of file with the length of each line and sorting the lines in Alphabetical order.
Sort lines of file with line length size:
Let’s consider a text with the name sortcontent.txt which
contains some lines that we will try to sort on the basis of length of the each line.
# sortcontent.txt
This is Python
Hello Good Morning How Are You.
This is Java
Python is good language
Steps to solve the program
- Open the first file using open(“sortcontent.txt”,”r”).
- Read all the lines of the file using readlines() method
- Now compare all lines one by one and exchange place
of long length lines with small length lines to re-arrange them
in ascending order using a nested loop. - re-write all the lines of the list in ascending order.
# Open file in read mode with context manager
with open("sortcontent.txt", "r") as file:
# Read list of lines.
FileLines = file.readlines()
# Initial for loop to start picking each line one by one
for i in range(len(FileLines)):
# Initial for loop to compare all remaining line with previous one.
for j in range(i+1, len(FileLines)):
# compare each line length, swap small len line with long len line.
if len(FileLines[i]) > len(FileLines[j]):
temp = FileLines[i]
FileLines[i] = FileLines[j]
FileLines[j] = temp
else:
continue
# re-write all the line one by one to the file
with open('ReadContent.txt', "w") as file:
# Combine all the sequentially arrange lines with join method.
all_lines = ''.join(FileLines)
# overwrite all the existing lines with new one
file.write(all_lines)
Output: Open the sortcontent.txt file to see the output. below content will be available in the file. All lines of the file will arrange in ascending as per their length.
This is Java
This is Python
Python is good language
Hello Good Morning How Are You.
Sort lines of file in Alphabetical order:
Let’s consider a text file with a city name list, where names are mentioned one name in each line In the below program will sort the line of the file in alphabetical order, reads all the names from a file, and print them in alphabetical order.
# cityname.txt
Kolkata
Mumbai
Pune
Bangalore
Delhi
# open file with context manager
with open('cityname.txt') as file:
# read all lines with readlines() method.
file_lines = file.readlines()
# sort line of file in alphabetical order
file_lines.sort()
# print all sorted name using loop
for line in file_lines:
print(line)
When we will run above program, will get following output.
Bangalore
Delhi
Kolkata
Mumbai
Pune
Related Articles
display words from a file that has less than 5 characters.