Creating and Using Classes
Classes are core to object-oriented programming in C#. In console applications, you can define and use your own classes to encapsulate data and logic, making your code cleaner and more reusable.
What is a Class?
A class is a blueprint for objects. It defines properties (data) and methods (behavior). You can create multiple objects (instances) from a single class definition.
public class Person
{
public string Name;
public int Age;
public void Introduce()
{
Console.WriteLine($"Hi, I'm {Name} and I'm {Age} years old.");
}
}
Creating and Using an Object
Hereβs how you can create an object of the class and use its members:
Person person = new Person();
person.Name = "Alice";
person.Age = 30;
person.Introduce();
Using Constructors
A constructor is a special method that runs when an object is created. Use it to initialize values.
public class Book
{
public string Title;
public string Author;
public Book(string title, string author)
{
Title = title;
Author = author;
}
}
Book b = new Book("C# Basics", "Jane Doe");
Console.WriteLine(b.Title);
Access Modifiers
Access modifiers control how a class or its members can be accessed:
public
β accessible from anywhereprivate
β accessible only within the classprotected
β accessible from the class and its subclassesinternal
β accessible within the same project/assembly
Best Practices for Defining Classes
- Use PascalCase for class and method names
- Group related logic into separate classes (e.g.,
Customer
,Order
) - Encapsulate data using properties instead of public fields
- Keep classes focused on a single responsibility
Classes allow you to write modular and reusable code. In the next lesson, weβll cover how to perform input and output operations in console applications, including reading from the user and writing to files.