Group
Object-Oriented Programming in C#
Objective
1. Define a base class "Person" with a method "SetAge" to set the person's age.
2. Create a derived class "Student" with a method "GoToClasses" and "ShowAge" to display the age.
3. Create another derived class "Teacher" with a private field "subject" and a method "Explain" to show an explanation message.
4. Implement a test class "StudentAndTeacherTest" with a Main method to create objects of these classes and test their functionality.
Write a C# program that includes the class Person. Create a class "Student" and another class "Teacher", both inheriting from "Person".
Example:
Hello!
Hello!
My age is: 21 years old.
I'm going to class.
Hello!
Explanation begins.
Example C# Exercise
Show C# Code
using System;
class Person
{
protected int age; // Age of the person
// Method to set the age of the person
public void SetAge(int n)
{
age = n;
}
// Method to greet
public void Greet()
{
Console.WriteLine("Hello!"); // Prints a greeting message
}
}
// Student class inherits from Person
class Student : Person
{
// Method to indicate the student is going to class
public void GoToClasses()
{
Console.WriteLine("I'm going to class.");
}
// Method to display the student's age
public void ShowAge()
{
Console.WriteLine("My age is: " + age + " years old.");
}
}
// Teacher class inherits from Person
class Teacher : Person
{
private string subject; // Private field to store the subject taught
// Method to start explaining a subject
public void Explain()
{
Console.WriteLine("Explanation begins.");
}
}
// Test class to demonstrate functionality
class StudentAndTeacherTest
{
static void Main()
{
// Creating a Person instance
Person person = new Person();
person.Greet(); // Person says hello
// Creating a Student instance
Student student = new Student();
student.SetAge(21); // Setting age of student to 21
student.Greet(); // Student says hello
student.ShowAge(); // Displaying student's age
student.GoToClasses(); // Student goes to class
// Creating a Teacher instance
Teacher teacher = new Teacher();
teacher.SetAge(30); // Setting teacher's age to 30
teacher.Greet(); // Teacher says hello
teacher.Explain(); // Teacher starts explaining
}
}
Output
Hello!
Hello!
My age is: 21 years old.
I'm going to class.
Hello!
Explanation begins.