Ejercicio
Invertir El Contenido De Un Archivo De Texto
Objectivo
Desarrolla un programa Python que invierta el contenido de un archivo de texto. El programa debe crear un nuevo archivo con el mismo nombre pero que termine en ".tnv". Este nuevo archivo contendrá las líneas del archivo original en orden inverso, de modo que la primera línea del archivo original se convierta en la última, la segunda línea se convierta en la penúltima, y así sucesivamente, hasta que la última línea del archivo original se convierta en la primera línea del nuevo archivo.
Sugerencia: Un enfoque sencillo sería leer el archivo dos veces: la primera lectura para contar la cantidad de líneas y la segunda lectura para cargar las líneas en una lista antes de volver a escribirlas en orden inverso.
Ejemplo de ejercicio de Python
Mostrar código Python
def invert_file_content(input_file):
"""
Inverts the content of a text file by reversing the order of its lines
and saves the reversed content into a new file with the extension '.tnv'.
Parameters:
input_file (str): The name of the input text file to read.
"""
# Generate the output file name by appending '.tnv' to the input file name
output_file = input_file.rsplit('.', 1)[0] + '.tnv'
try:
# Open the input file for reading
with open(input_file, 'r') as file:
lines = file.readlines() # Read all lines into a list
# Reverse the order of the lines
reversed_lines = lines[::-1]
# Open the output file for writing
with open(output_file, 'w') as file:
file.writelines(reversed_lines) # Write the reversed lines to the new file
print(f"Content successfully reversed and saved to {output_file}")
except FileNotFoundError:
print(f"Error: The file '{input_file}' was not found.")
except Exception as e:
print(f"An error occurred: {e}")
# Main program execution
if __name__ == "__main__":
input_file = input("Enter the name of the text file to invert (with extension, e.g., file.txt): ")
invert_file_content(input_file)
Output
User Input:
Enter the name of the text file to invert (with extension, e.g., file.txt): example.txt
Program Output After Inverting:
Content successfully reversed and saved to example.tnv
How It Works:
If the input file example.txt contains the following lines:
Line 1
Line 2
Line 3
Line 4
The program will create a new file called example.tnv with the reversed content:
Line 4
Line 3
Line 2
Line 1
Código de ejemplo copiado
Comparte este ejercicio de Python