Q:

Copy odd lines of one file to another file in Python

belongs to collection: Python file handling programs

0

Let suppose there is a file named "file1.txt", that contains following content,

    This is line 1.
    This is line 2.
    This is line 3.
    This is line 4.
    This is line 5.

And, we are copying odd lines to another file named "file2.txt".

Example:

    Input: "file1.txt"
    This is line 1.
    This is line 2.
    This is line 3.
    This is line 4.
    This is line 5.

    Output: "file2.txt"
    This is line 2.
    This is line 4.

All Answers

need an explanation for this answer? contact us directly to get an explanation for this answer

Python program to copy odd lines of one file to another file

# opening the file
file1 = open('file1.txt', 'r') 

# creating another file to store odd lines
file2 = open('file2.txt', 'w') 

# reading content of the files
# and writing odd lines to another file
lines = file1.readlines() 
type(lines) 
for i in range(0, len(lines)): 
	if(i % 2 != 0): 
		file2.write(lines[i]) 

# closing the files
file1.close()
file2.close() 

# opening the files and printing their content
file1 = open('file1.txt', 'r') 
file2 = open('file2.txt', 'r') 

# reading and printing the files content
str1 = file1.read()
str2 = file2.read()

print("file1 content...")
print(str1)

print() # to print new line

print("file2 content...")
print(str2)

# closing the files
file1.close()
file2.close()

Output

file1 content...
This is line 1.
This is line 2.
This is line 3.
This is line 4.
This is line 5.

file2 content...
This is line 2.
This is line 4.

need an explanation for this answer? contact us directly to get an explanation for this answer

total answers (1)

Count the total number of uppercase characters in ... >>
<< Copy contents from one file to another file in Pyt...