using System;
// Base class representing a generic table
class Table
{
// Attributes for table width and height
protected int width;
protected int height;
// Constructor to initialize table dimensions
public Table(int width, int height)
{
this.width = width;
this.height = height;
}
// Method to display table details
public virtual void ShowData()
{
Console.WriteLine($"Table - Width: {width} cm, Height: {height} cm");
}
}
// Derived class representing a coffee table
class CoffeeTable : Table
{
// Constructor using base class constructor
public CoffeeTable(int width, int height) : base(width, height) { }
// Override ShowData to specify that it is a coffee table
public override void ShowData()
{
Console.WriteLine($"Coffee Table - Width: {width} cm, Height: {height} cm");
}
}
// Class representing a leg, which belongs to a table
class Leg
{
// Reference to the table the leg belongs to
private Table table;
// Constructor to associate the leg with a specific table
public Leg(Table table)
{
this.table = table;
}
// Method to display leg information along with its table details
public void ShowData()
{
Console.WriteLine("I am a leg");
table.ShowData();
}
}
// Main program
class Program
{
static void Main()
{
// Array to store 5 tables and 5 coffee tables
Table[] tables = new Table[10];
Random random = new Random();
// Populate the array with random-sized tables
for (int i = 0; i < 5; i++)
{
tables[i] = new Table(random.Next(50, 201), random.Next(50, 201));
}
// Populate the array with random-sized coffee tables
for (int i = 5; i < 10; i++)
{
tables[i] = new CoffeeTable(random.Next(40, 121), random.Next(40, 121));
}
// Display all tables
foreach (var table in tables)
{
table.ShowData();
}
// Select one table and assign a leg to it
Table chosenTable = tables[2];
Leg leg = new Leg(chosenTable);
// Display the leg's details
Console.WriteLine("\nDisplaying leg data:");
leg.ShowData();
}
}
Output
Table - Width: 120 cm, Height: 180 cm
Table - Width: 75 cm, Height: 160 cm
Table - Width: 95 cm, Height: 140 cm
Table - Width: 180 cm, Height: 130 cm
Table - Width: 140 cm, Height: 200 cm
Coffee Table - Width: 80 cm, Height: 100 cm
Coffee Table - Width: 60 cm, Height: 90 cm
Coffee Table - Width: 50 cm, Height: 70 cm
Coffee Table - Width: 110 cm, Height: 105 cm
Coffee Table - Width: 100 cm, Height: 115 cm
Displaying leg data:
I am a leg
Table - Width: 95 cm, Height: 140 cm