Programa De Gestión De Información De Libros En C#

Este programa permite al usuario introducir información sobre libros, como título, autor y año de publicación. También puede explorar los datos existentes para ver la lista de libros introducidos. El programa gestiona el caso de que el archivo de datos no exista al iniciarse, creando uno nuevo si es necesario. Está diseñado para facilitar la organización y la recuperación de información sobre libros.



Grupo

Bases Datos Relacionales en C#

Objectivo

1. Al iniciar el programa, comprueba si existe un archivo de datos. De no ser así, se creará uno nuevo.
2. Se solicita al usuario que introduzca el título, el autor y el año de publicación del libro.
3. El usuario puede ver la lista de todos los libros introducidos.
4. El programa garantiza que los datos se guarden y se pueda acceder a ellos tras reiniciar el programa.
5. Gestionar posibles errores de entrada (como formatos de datos no válidos).

Crear un programa que permita al usuario introducir información sobre libros y explorar los datos existentes. Este programa debe gestionar el caso en el que el archivo de datos no exista al iniciar el programa.

Ejemplo de ejercicio en C#

 Copiar código C#
using System;
using System.Collections.Generic;
using System.IO;

// Book class to store information about each book
public class Book
{
    public string Title { get; set; }
    public string Author { get; set; }
    public int Year { get; set; }

    // Constructor to initialize a new book
    public Book(string title, string author, int year)
    {
        Title = title;
        Author = author;
        Year = year;
    }

    // Method to display book details
    public override string ToString()
    {
        return $"{Title} by {Author} ({Year})";
    }
}

class Program
{
    // File path for storing book data
    static string filePath = "books.txt";

    // List to store books
    static List books = new List();

    // Main method to run the program
    static void Main(string[] args)
    {
        // Check if the file exists. If not, create a new one.
        if (File.Exists(filePath))
        {
            // Load existing book data from the file
            LoadBooks();
        }
        else
        {
            // Create a new file if it does not exist
            File.Create(filePath).Dispose();
        }

        // Allow user to input new book data
        while (true)
        {
            Console.WriteLine("Enter book title (or type 'exit' to quit):");
            string title = Console.ReadLine();
            if (title.ToLower() == "exit") break;

            Console.WriteLine("Enter book author:");
            string author = Console.ReadLine();

            Console.WriteLine("Enter publication year:");
            int year;
            while (!int.TryParse(Console.ReadLine(), out year))
            {
                Console.WriteLine("Invalid input. Please enter a valid year:");
            }

            // Create a new Book object and add it to the list
            Book newBook = new Book(title, author, year);
            books.Add(newBook);

            // Save the book to the file
            SaveBooks();
        }

        // Display all entered books
        Console.WriteLine("\nBooks in the system:");
        foreach (var book in books)
        {
            Console.WriteLine(book);
        }
    }

    // Method to load books from the file
    static void LoadBooks()
    {
        // Read each line from the file and convert it to a Book object
        string[] lines = File.ReadAllLines(filePath);
        foreach (string line in lines)
        {
            var parts = line.Split(',');
            string title = parts[0].Trim();
            string author = parts[1].Trim();
            int year = int.Parse(parts[2].Trim());
            books.Add(new Book(title, author, year));
        }
    }

    // Method to save books to the file
    static void SaveBooks()
    {
        // Clear the file and write the updated list of books
        File.WriteAllLines(filePath, books.ConvertAll(book => $"{book.Title}, {book.Author}, {book.Year}"));
    }
}

 Output

Enter book title (or type 'exit' to quit):
The Great Gatsby
Enter book author:
F. Scott Fitzgerald
Enter publication year:
1925

Enter book title (or type 'exit' to quit):
Moby Dick
Enter book author:
Herman Melville
Enter publication year:
1851

Enter book title (or type 'exit' to quit):
exit

Books in the system:
The Great Gatsby by F. Scott Fitzgerald (1925)
Moby Dick by Herman Melville (1851)

Comparte este ejercicio de C#

Practica más ejercicios C# de Bases Datos Relacionales en C#

¡Explora nuestro conjunto de ejercicios de práctica de C#! Diseñados específicamente para principiantes, estos ejercicios te ayudarán a desarrollar una sólida comprensión de los fundamentos de C#. 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 C#..