Objective
Develop a Python program that reads the contents of a text file and writes it to a new file, converting all lowercase letters to uppercase.
Example Python Exercise
Show Python Code
# Define a function to convert the text to uppercase and write to a new file
def convert_to_uppercase(input_filename, output_filename):
try:
# Open the input file in read mode
with open(input_filename, 'r') as infile:
# Read the contents of the file
content = infile.read()
# Convert the content to uppercase
content_uppercase = content.upper()
# Open the output file in write mode
with open(output_filename, 'w') as outfile:
# Write the uppercase content to the new file
outfile.write(content_uppercase)
print("File has been successfully converted to uppercase and saved as", output_filename)
except FileNotFoundError:
print(f"The file {input_filename} does not exist.")
except Exception as e:
print(f"An error occurred: {e}")
# Call the function with the input and output file names
input_file = "example.txt" # Example input file
output_file = "example_uppercase.txt" # Output file for the uppercase content
convert_to_uppercase(input_file, output_file)
Output
If the example.txt file contains:
Hello world!
This is a test.
After running the program, the content of example_uppercase.txt will be:
HELLO WORLD!
THIS IS A TEST.
Share this Python Exercise