Gestión de tablas, matrices y archivos en Python

En este ejercicio, desarrollarás un programa en Python para expandir el ejercicio de tablas + array, de modo que incluya dos nuevos métodos: volcar los datos del array en un archivo binario y restaurar los datos desde el archivo. Este ejercicio es perfecto para practicar el manejo de archivos, la manipulación de bytes y la serialización de datos en Python. Al implementar este programa, obtendrás experiencia práctica en el manejo de operaciones de archivos, manipulación de bytes y serialización de datos en Python. Este ejercicio no solo refuerza tu comprensión del manejo de archivos, sino que también te ayuda a desarrollar prácticas de codificación eficientes para gestionar las interacciones con el usuario. Además, este ejercicio proporciona una excelente oportunidad para explorar la versatilidad de Python en aplicaciones del mundo real. Al trabajar con el manejo de archivos, la manipulación de bytes y la serialización de datos, aprenderás a estructurar tu código de manera eficiente, lo cual es una habilidad crucial en muchos escenarios de programación. Este ejercicio también te anima a pensar críticamente sobre cómo estructurar tu código para la legibilidad y el rendimiento, convirtiéndolo en una valiosa adición a tu portafolio de programación. Ya seas un principiante o un programador experimentado, este ejercicio te ayudará a profundizar tu comprensión de Python y mejorar tus habilidades para resolver problemas.



Grupo

Técnicas persistencias de objetos en Python

Objectivo

Desarrollar un programa Python para expandir el ejercicio de tablas + matrices, de modo que incluya dos métodos nuevos: volcar los datos de la matriz en un archivo binario y restaurar los datos del archivo.

Ejemplo Ejercicio Python

 Copiar Código Python
import pickle

class Table:
    """Represents a table with width and height."""
    def __init__(self, width, height):
        """Initialize the table with width and height."""
        self.width = width
        self.height = height

    def show_data(self):
        """Display the dimensions of the table."""
        print(f"Width: {self.width}, Height: {self.height}")


class TableManager:
    """Manages a list of tables, including saving and restoring data."""
    def __init__(self):
        """Initialize an empty list of tables."""
        self.tables = []

    def add_table(self, table):
        """Add a new table to the list."""
        self.tables.append(table)

    def dump_to_file(self, filename):
        """
        Save the list of tables to a binary file.
        :param filename: Name of the binary file.
        """
        try:
            with open(filename, 'wb') as file:
                pickle.dump(self.tables, file)
            print(f"Data successfully dumped to {filename}.")
        except Exception as e:
            print(f"Error while dumping to file: {e}")

    def restore_from_file(self, filename):
        """
        Load the list of tables from a binary file.
        :param filename: Name of the binary file.
        """
        try:
            with open(filename, 'rb') as file:
                self.tables = pickle.load(file)
            print(f"Data successfully restored from {filename}.")
        except Exception as e:
            print(f"Error while restoring from file: {e}")

    def show_all_tables(self):
        """Display data for all tables."""
        for i, table in enumerate(self.tables, start=1):
            print(f"Table {i}:")
            table.show_data()


# Main Program
if __name__ == "__main__":
    import random

    # Initialize the TableManager
    manager = TableManager()

    # Create and add 10 tables with random dimensions
    for _ in range(10):
        width = random.randint(50, 200)
        height = random.randint(50, 200)
        manager.add_table(Table(width, height))

    # Display all tables
    print("Initial table data:")
    manager.show_all_tables()

    # Dump data to a binary file
    filename = "tables_data.bin"
    manager.dump_to_file(filename)

    # Clear current tables
    manager.tables = []

    # Restore data from the binary file
    print("\nRestoring data from file...")
    manager.restore_from_file(filename)

    # Display restored tables
    print("\nRestored table data:")
    manager.show_all_tables()

 Output

Initial Table Data:

Initial table data:
Table 1:
Width: 120, Height: 180
Table 2:
Width: 150, Height: 75
...

After Restoring:

Restoring data from file...

Restored table data:
Table 1:
Width: 120, Height: 180
Table 2:
Width: 150, Height: 75
...

Comparte este ejercicios Python

Más ejercicios de Programacion Python de Técnicas persistencias de objetos en Python

¡Explora nuestro conjunto de ejercicios de programación en Python! Diseñados específicamente para principiantes, estos ejercicios te ayudarán a desarrollar una sólida comprensión de los fundamentos de Python. Desde variables y tipos de datos hasta estructuras de control y funciones simples, cada ejercicio está diseñado para desafiarte gradualmente a medida que adquieres confianza en la programación en Python.