C# Classes and Objects
Classes are the foundation of object-oriented programming in C#.
Creating a Class
public class Person
{
// Properties
public string Name { get; set; }
public int Age { get; set; }
// Constructor
public Person(string name, int age)
{
Name = name;
Age = age;
}
// Method
public void Introduce()
{
Console.WriteLine($"Hi, I'm {Name} and I'm {Age} years old.");
}
}
Using Classes
// Create an object
Person person1 = new Person("Alice", 25);
// Access properties
Console.WriteLine(person1.Name); // Outputs: Alice
// Call methods
person1.Introduce(); // Outputs: Hi, I'm Alice and I'm 25 years old.
Inheritance
public class Student : Person
{
public string StudentId { get; set; }
public Student(string name, int age, string studentId)
: base(name, age)
{
StudentId = studentId;
}
}
Best Practices
- Use proper encapsulation
- Follow naming conventions
- Keep classes focused
- Document your code
- Consider inheritance carefully