Group
Object-Oriented Programming in C#
Objective
1. Create a new C# project to implement the class diagram.
2. Define each class in its own separate file for better organization.
3. Use appropriate access modifiers, constructors, and methods as required by the diagram.
4. Implement a test class to instantiate and demonstrate the functionality of the classes.
5. Ensure the program compiles and runs correctly, outputting expected results.
Create a project and the corresponding classes (using several files) for this class diagram.
+----------------+
| Person |
+----------------+
| - name: string |
+----------------+
| + Person(name) |
| + Introduce() |
+----------------+
Example C# Exercise
Show C# Code
//File: Person.cs
// Define the Person class
public class Person
{
private string name; // Private attribute for storing the person's name
// Constructor to initialize the person's name
public Person(string name)
{
this.name = name;
}
// Method to introduce the person
public void Introduce()
{
Console.WriteLine("Hello, my name is " + name + ".");
}
}
//File: Program.cs
// Main test class
using System;
class Program
{
static void Main()
{
// Creating an instance of the Person class
Person person = new Person("Alice");
// Calling the Introduce method
person.Introduce();
}
}
Output
Hello, my name is Alice.