1. Define a Table class with width and height attributes.
2. Implement a constructor to initialize the table dimensions.
3. Add a ShowData method to print the width and height.
4. Create a CoffeeTable class that inherits from Table.
5. Override the ShowData method in CoffeeTable to add the text "(Coffee table)."
6. In the Main method, generate an array with 5 tables and 5 coffee tables, each with random dimensions.
7. Display the data of all tables.
Create a project named "Tables2," based on the "Tables" project. In it, create a class "CoffeeTable" that inherits from "Table". Its method "ShowData", besides writing the width and height, must display "(Coffee table)."
Create an array that contains 5 tables and 5 coffee tables. The tables must have random sizes between 50 and 200 cm, and the coffee tables from 40 to 120 cm. Show all their data.
using System;
// Base class Table
class Table
{
// Attributes for table width and height
protected int width;
protected int height;
// Constructor to initialize the table dimensions
public Table(int width, int height)
{
this.width = width;
this.height = height;
}
// Method to display table data
public virtual void ShowData()
{
Console.WriteLine($"Table - Width: {width} cm, Height: {height} cm");
}
}
// Derived class CoffeeTable from Table
class CoffeeTable : Table
{
// Constructor to initialize coffee table dimensions
public CoffeeTable(int width, int height) : base(width, height) { }
// Overridden method to display coffee table data
public override void ShowData()
{
Console.WriteLine($"Table - Width: {width} cm, Height: {height} cm (Coffee table)");
}
}
// Main program
class Program
{
static void Main()
{
Random random = new Random();
// Array to store tables and coffee tables
Table[] tables = new Table[10];
// Creating 5 standard tables with random sizes between 50 and 200 cm
for (int i = 0; i < 5; i++)
{
int width = random.Next(50, 201);
int height = random.Next(50, 201);
tables[i] = new Table(width, height);
}
// Creating 5 coffee tables with random sizes between 40 and 120 cm
for (int i = 5; i < 10; i++)
{
int width = random.Next(40, 121);
int height = random.Next(40, 121);
tables[i] = new CoffeeTable(width, height);
}
// Displaying the data of all tables
Console.WriteLine("Tables Information:");
foreach (var table in tables)
{
table.ShowData();
}
}
}
Output
Tables Information:
Table - Width: 180 cm, Height: 75 cm
Table - Width: 90 cm, Height: 160 cm
Table - Width: 120 cm, Height: 130 cm
Table - Width: 75 cm, Height: 195 cm
Table - Width: 200 cm, Height: 180 cm
Table - Width: 100 cm, Height: 90 cm (Coffee table)
Table - Width: 80 cm, Height: 110 cm (Coffee table)
Table - Width: 50 cm, Height: 70 cm (Coffee table)
Table - Width: 60 cm, Height: 95 cm (Coffee table)
Table - Width: 115 cm, Height: 105 cm (Coffee table)