Group
Working with Relational Databases in C#
Objective
1. Retrieve the list of books from the previous program where data is stored.
2. Loop through the list of books and display each book's title, author, and year of publication.
3. Use a method to display the details in a formatted way.
4. Ensure the program handles the case where no books are available to display.
Create a program to display the data about books which your previous program has stored.
Example C# Exercise
Show C# Code
using System;
using System.Collections.Generic;
class Book
{
// Book class to store book details
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;
}
}
class Program
{
static void Main()
{
// Create a list of books (this is from the previous program)
List books = new List
{
new Book("The Great Gatsby", "F. Scott Fitzgerald", 1925),
new Book("1984", "George Orwell", 1949),
new Book("To Kill a Mockingbird", "Harper Lee", 1960)
};
// Check if there are any books to display
if (books.Count == 0)
{
Console.WriteLine("No books available to display.");
}
else
{
// Loop through each book and display its details
foreach (var book in books)
{
Console.WriteLine("Title: " + book.Title);
Console.WriteLine("Author: " + book.Author);
Console.WriteLine("Year of Publication: " + book.Year);
Console.WriteLine();
}
}
}
}
Output
Title: The Great Gatsby
Author: F. Scott Fitzgerald
Year of Publication: 1925
Title: 1984
Author: George Orwell
Year of Publication: 1949
Title: To Kill a Mockingbird
Author: Harper Lee
Year of Publication: 1960