105k views
5 votes
A file named contains an unknown number of lines, each consisting of a single integer. write a program that creates the following three files: the program should read each line of the file and perform the following: if the line contains a positive number, that number should be written to the file. if the line contains a negative number, that number should be written to the file. if the line contains the value 0, do not write the value to a file. instead, keep a count of the number of times 0 is read from the file. after all the lines have been read from the file, the program should write the count of zeros to the file.

1 Answer

2 votes

Final answer:

The program reads integers from a file, writes positive and negative numbers to separate files, and tallies the zeros to write their count to a third file. Python is used for its simplicity and wide usage in text file processing.

Step-by-step explanation:

The question tasks us with writing a program that processes a file containing an unknown number of lines with single integers on each. The program needs to create three separate files for positive numbers, negative numbers, and a count of how many zeros are encountered. When reading each line from the original file, the number is sorted based on its value (positive, negative, or zero) and written to the corresponding new file. Zeros are not written to any file; instead, a tally is kept, and this number is written to a separate file at the end of processing.

The program could be written in various programming languages; however, a common and straightforward language for such a task is Python. Below is a simplistic version of the program written in Python:

positive_file = open('positive_numbers.txt', 'w')
negative_file = open('negative_numbers.txt', 'w')
zero_file = open('zero_count.txt', 'w')

zero_count = 0

with open('numbers.txt', 'r') as file:
for line in file:
number = int(line.strip())
if number > 0:
positive_file.write(f"{number}\\")
elif number < 0:
negative_file.write(f"{number}\\")
else:
zero_count += 1

positive_file.close()
negative_file.close()

zero_file.write(str(zero_count))
zero_file.close()

User WildStriker
by
7.4k points