Group
Object-Oriented Programming in C#
Objective
- Analyze the provided diagram and determine the classes that need to be created.
- For each class, implement the attributes and methods as specified in the diagram.
- Ensure that all relationships between the classes are implemented with 1:1 cardinality.
- Organize the classes into separate files for better project structure and maintainability.
- Test the functionality of the classes with a main program that instantiates objects and calls their methods.
Create a project and the corresponding classes (using several files) for this classes diagram. Each class must include the attributes and methods shown in the diagram. Consider that all cardinalities are 1:1.
+------------------+ +-----------------+
| Person | | Address |
+------------------+ +-----------------+
| - name: string | | - street: string|
| - address: Address| | - city: string |
+------------------+ | - zipCode: string|
| + Person(name: string, address: Address) | +-----------------+
| + Introduce() | | + GetFullAddress(): string |
+------------------+ +-----------------+
| ^
| |
+-------------------------------+
uses
Example C# Exercise
Show C# Code
//Archivo Person.cs
// Person class representing a person with a name and a reference to an Address
public class Person
{
// Private attributes for the person's name and their address
private string name;
private Address address;
// Constructor to initialize a person with their name and address
public Person(string name, Address address)
{
this.name = name;
this.address = address;
}
// Method to introduce the person and their address
public void Introduce()
{
Console.WriteLine($"Hello, my name is {name}. I live at {address.GetFullAddress()}.");
}
}
//Archivo Address.cs
// Address class representing an address with street, city, and zip code
public class Address
{
// Private attributes for street, city, and zip code
private string street;
private string city;
private string zipCode;
// Constructor to initialize the address with street, city, and zip code
public Address(string street, string city, string zipCode)
{
this.street = street;
this.city = city;
this.zipCode = zipCode;
}
// Method to return the full address as a string
public string GetFullAddress()
{
return $"{street}, {city}, {zipCode}";
}
}
//Archivo Program.cs (Main Program)
// Main program to test the Person and Address classes
using System;
class Program
{
static void Main()
{
// Create an Address object with sample data
Address address = new Address("123 Main St", "Springfield", "12345");
// Create a Person object with the name and the created address
Person person = new Person("John Doe", address);
// Call the Introduce method for the person, which will display their name and address
person.Introduce();
}
}
Output
Hello, my name is John Doe. I live at 123 Main St, Springfield, 12345.