Objectivo
Desarrollar un programa Python para comparar dos archivos (de cualquier tipo) y determinar si son idénticos (es decir, tienen el mismo contenido).
Ejemplo Ejercicio Python
Mostrar Código Python
# Python program to compare two files and check if they are identical
def compare_files(file1, file2):
try:
# Open both files in binary mode for comparison
with open(file1, 'rb') as f1, open(file2, 'rb') as f2:
# Read the contents of the files
file1_data = f1.read()
file2_data = f2.read()
# Compare the contents of both files
if file1_data == file2_data:
print(f"The files '{file1}' and '{file2}' are identical.")
else:
print(f"The files '{file1}' and '{file2}' are not identical.")
except FileNotFoundError:
print(f"Error: One or both of the files '{file1}' or '{file2}' do not exist.")
except Exception as e:
print(f"Error: {str(e)}")
# Example usage
compare_files('file1.txt', 'file2.txt')
Output
When running the program with two identical files:
The files 'file1.txt' and 'file2.txt' are identical.
When running the program with two different files:
The files 'file1.txt' and 'file2.txt' are not identical.
Error Scenarios:
File Not Found:
Error: One or both of the files 'file1.txt' or 'file2.txt' do not exist.
General Errors:
Error: [Error message]
Código de Ejemplo copiado
Comparte este ejercicios Python