1. Defina una clase Table con los atributos width y height.
2. Implemente un constructor para inicializar las dimensiones de la tabla.
3. Añada el método ShowData para imprimir el ancho y el alto.
4. Cree una clase CoffeeTable que herede de Table.
5. Sobrescriba el método ShowData en CoffeeTable para añadir el texto "(Coffee table)".
6. En el método Main, genere un array con 5 tablas y 5 mesas de centro, cada una con dimensiones aleatorias.
7. Muestre los datos de todas las tablas.
Cree un proyecto llamado "Tables2", basado en el proyecto "Tables". En él, cree una clase "CoffeeTable" que herede de "Table". Su método "ShowData", además de escribir el ancho y el alto, debe mostrar "(Coffee table)".
Cree un array que contenga 5 tablas y 5 mesas de centro. Las tablas deben tener tamaños aleatorios entre 50 y 200 cm, y las mesas de centro entre 40 y 120 cm. Mostrar todos sus datos.
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)
Código de ejemplo copiado