KEMBAR78
C# Notes | PDF | Method (Computer Programming) | Inheritance (Object Oriented Programming)
0% found this document useful (0 votes)
29 views50 pages

C# Notes

C# is a modern, object-oriented programming language developed by Microsoft for a variety of applications, known for its simplicity and powerful features. Key features include type safety, managed code, interoperability, and a rich standard library, making it suitable for web, desktop, mobile, cloud, and game development. The language supports core OOP principles such as encapsulation, inheritance, polymorphism, and abstraction, facilitating modular and maintainable code.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
29 views50 pages

C# Notes

C# is a modern, object-oriented programming language developed by Microsoft for a variety of applications, known for its simplicity and powerful features. Key features include type safety, managed code, interoperability, and a rich standard library, making it suitable for web, desktop, mobile, cloud, and game development. The language supports core OOP principles such as encapsulation, inheritance, polymorphism, and abstraction, facilitating modular and maintainable code.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 50

1.

Introduction to C#
C# (pronounced "C-sharp") is a modern, object-oriented programming language developed
by Microsoft as part of its .NET initiative. It was designed for developing a wide range of
applications, from web and desktop applications to mobile and cloud-based services. C# is
known for its simplicity, powerful features, and ability to interoperate with other languages
and libraries within the .NET ecosystem.

Key Features of C#

1. Object-Oriented: C# is an object-oriented language, meaning it uses objects and


classes to structure the code. This allows for modular, maintainable, and reusable
code. Key OOP concepts in C# include inheritance, polymorphism, encapsulation,
and abstraction.
2. Type-Safe: C# enforces strict type checking, which helps prevent type errors and
ensures that operations are performed on compatible data types. This enhances
reliability and reduces bugs.
3. Managed Code: C# runs on the .NET runtime, which provides services like garbage
collection, exception handling, and type safety. This managed environment ensures
better memory management and application stability.
4. Interoperability: C# can interoperate with other languages on the .NET platform,
such as Visual Basic and F#. It also supports COM (Component Object Model)
interoperability, allowing C# to interact with legacy systems and applications.
5. Rich Standard Library: C# comes with a comprehensive standard library (Base
Class Library) that provides a wide range of functionalities, from file I/O and data
structures to networking and web services.
6. Scalability and Performance: C# is designed to build scalable applications. Features
like asynchronous programming, multithreading, and parallelism help in creating
high-performance applications.
7. Component-Oriented: C# supports component-oriented programming, which makes
it easier to build and deploy software components. This is achieved through features
like properties, events, and attributes.
8. Language Integrated Query (LINQ): LINQ provides a powerful query syntax
integrated into the language, allowing developers to perform complex data
manipulations directly within the code.

Typical Use Cases for C#

1. Web Development: Using frameworks like ASP.NET, developers can create


dynamic web applications and services. ASP.NET Core, a cross-platform version of
ASP.NET, allows for building modern, high-performance web applications.
2. Desktop Applications: Windows Forms and Windows Presentation Foundation
(WPF) are used to build rich desktop applications with sophisticated user interfaces.
3. Mobile Applications: With Xamarin, a framework within the .NET ecosystem,
developers can create cross-platform mobile applications for iOS, Android, and
Windows using a single codebase.
4. Cloud-Based Services: C# is commonly used to develop cloud applications and
services, especially on Microsoft Azure. It supports building scalable and distributed
applications that leverage cloud resources.
5. Games: Unity, a popular game development engine, uses C# for scripting. This
makes C# a preferred choice for game development, enabling the creation of complex
and high-performance games.
6. Microservices and APIs: C# is often used to build microservices and APIs due to its
robust framework support and integration capabilities. ASP.NET Core provides a
lightweight and efficient platform for developing microservices.
7. IoT (Internet of Things): With the rise of IoT, C# is used to develop IoT applications
and services that interact with various hardware and sensors.

Example of a Simple C# Program

Here is an example of a simple C# console application that demonstrates basic syntax and
features:

csharp
Copy code
using System;

namespace HelloWorldApp
{
class Program
{
static void Main(string[] args)
{
// Output text to the console
Console.WriteLine("Hello, World!");

// Declare and initialize variables


int number = 10;
string message = "The number is " + number;

// Output the message


Console.WriteLine(message);

// Call a method
PrintGreeting("Alice");
}

static void PrintGreeting(string name)


{
// Output a greeting message
Console.WriteLine("Hello, " + name + "!");
}
}
}

In this program:

• The using System; directive includes the System namespace, which contains
fundamental classes like Console.
• The namespace HelloWorldApp defines a namespace to organize the code.
• The class Program contains the Main method, which is the entry point of the
application.
• The Console.WriteLine method outputs text to the console.
• Variables are declared and initialized with values.
• A method (PrintGreeting) is defined and called to demonstrate how functions work
in C#.

This basic example illustrates the simplicity and readability of C# code, making it an ideal
choice for developers ranging from beginners to experts.

2. History of C#
C# was developed in the late 1990s and early 2000s by Anders Hejlsberg, a Danish software
engineer who also contributed to the development of Turbo Pascal and Delphi. The language
was first released to the public in 2000 with the .NET Framework. Since then, it has gone
through several versions, each adding new features and improvements:

C# 1.0 (2002): The initial release as part of .NET Framework 1.0.

C# 2.0 (2005): Introduced generics, anonymous methods, nullable types, and more.

C# 3.0 (2007): Added LINQ (Language Integrated Query), lambda expressions, and
extension methods.

C# 4.0 (2010): Included dynamic programming, named and optional arguments, and
covariance and contravariance.

C# 5.0 (2012): Brought async and await for asynchronous programming.

C# 6.0 (2015): Added auto-property initializers, expression-bodied members, and null-


conditional operators.

C# 7.0 (2017): Introduced tuples, pattern matching, local functions, and more.

C# 8.0 (2019): Added nullable reference types, default interface methods, and async streams.

C# 9.0 (2020): Featured records, init-only setters, and top-level statements.

C# 10.0 (2021): Introduced file-scoped namespaces, global using directives, and record
structs.

3. C# and OOPs
C# is fundamentally an object-oriented programming (OOP) language. It supports the four main
principles of OOP: Encapsulation, Inheritance, Polymorphism, and Abstraction. These principles help
in creating modular, maintainable, and reusable code.

Encapsulation
Encapsulation is the concept of bundling data (fields) and methods (functions) that operate on the
data into a single unit, known as a class. It restricts direct access to some of the object's components,
which can prevent the accidental modification of data.

Example:

csharp

Copy code

public class Employee {

private string name;

private double salary;

public string Name {

get { return name; }

set { name = value; }

public double Salary {

get { return salary; }

set {

if (value > 0) {

salary = value;

public void DisplayInfo() {

Console.WriteLine($"Name: {name}, Salary: {salary}");

class Program {
static void Main() {

Employee emp = new Employee();

emp.Name = "John Doe";

emp.Salary = 50000;

emp.DisplayInfo();

In this example, the Employee class encapsulates the fields name and salary along with their
corresponding properties and a method DisplayInfo to display the information. The fields are private,
ensuring that they cannot be accessed directly from outside the class, promoting data integrity.

Inheritance

Inheritance is the mechanism by which one class (the derived class) can inherit the properties and
methods of another class (the base class). This promotes code reuse and establishes a relationship
between classes.

Example:

csharp

Copy code

public class Animal {

public string Name { get; set; }

public void Eat() {

Console.WriteLine($"{Name} is eating.");

public class Dog : Animal {

public void Bark() {

Console.WriteLine($"{Name} is barking.");

}
}

class Program {

static void Main() {

Dog dog = new Dog();

dog.Name = "Buddy";

dog.Eat();

dog.Bark();

In this example, the Dog class inherits from the Animal class. This means Dog has access to the Name
property and Eat method from Animal, and it can also define its own methods like Bark.

Polymorphism

Polymorphism allows methods to do different things based on the object it is acting upon. It can be
achieved through method overriding and method overloading.

Example (Method Overriding):

csharp

Copy code

public class Animal {

public virtual void MakeSound() {

Console.WriteLine("Animal sound.");

public class Dog : Animal {

public override void MakeSound() {

Console.WriteLine("Bark.");

}
public class Cat : Animal {

public override void MakeSound() {

Console.WriteLine("Meow.");

class Program {

static void Main() {

Animal myDog = new Dog();

Animal myCat = new Cat();

myDog.MakeSound(); // Outputs: Bark.

myCat.MakeSound(); // Outputs: Meow.

In this example, the MakeSound method is overridden in the Dog and Cat classes. When the method
is called on an Animal reference, the appropriate version of the method is executed based on the
actual object type (Dog or Cat).

Abstraction

Abstraction is the concept of hiding complex implementation details and exposing only the necessary
features of an object. This can be achieved using abstract classes and interfaces.

Example (Abstract Class):

csharp

Copy code

public abstract class Shape {

public abstract double GetArea();

}
public class Circle : Shape {

public double Radius { get; set; }

public Circle(double radius) {

Radius = radius;

public override double GetArea() {

return Math.PI * Radius * Radius;

public class Rectangle : Shape {

public double Width { get; set; }

public double Height { get; set; }

public Rectangle(double width, double height) {

Width = width;

Height = height;

public override double GetArea() {

return Width * Height;

class Program {

static void Main() {

Shape circle = new Circle(5);

Shape rectangle = new Rectangle(4, 6);


Console.WriteLine($"Circle Area: {circle.GetArea()}");

Console.WriteLine($"Rectangle Area: {rectangle.GetArea()}");

In this example, the Shape class is abstract and defines an abstract method GetArea. The Circle and
Rectangle classes inherit from Shape and provide their own implementations of GetArea,
encapsulating the details of how the area is calculated for each specific shape.

These examples illustrate how C# leverages the principles of OOP to create well-structured,
maintainable, and reusable code.

4. OOPs Concepts and Controls


Object-Oriented Design in C#

Object-oriented design (OOD) in C# involves creating a system of interacting objects, each defined by
a class. The design process includes identifying the objects needed for the system, defining their
interactions, and specifying the attributes and behaviors encapsulated within each object. This
approach makes the system more modular, maintainable, and scalable.

Key Elements of Object-Oriented Design

Classes and Objects

Attributes and Methods

Relationships and Interactions

Classes and Objects

In C#, a class is a blueprint for creating objects. It defines the properties (attributes) and methods
(behaviors) that the objects created from the class will have. An object is an instance of a class.

Example:

csharp

Copy code

public class Car {

// Attributes

public string Make { get; set; }

public string Model { get; set; }


public int Year { get; set; }

// Constructor

public Car(string make, string model, int year) {

Make = make;

Model = model;

Year = year;

// Method

public void DisplayInfo() {

Console.WriteLine($"Car: {Make} {Model} ({Year})");

class Program {

static void Main() {

// Creating an object of the Car class

Car car = new Car("Toyota", "Corolla", 2020);

car.DisplayInfo(); // Outputs: Car: Toyota Corolla (2020)

In this example, the Car class defines three attributes: Make, Model, and Year, along with a method
DisplayInfo that outputs the car's details. An object of the Car class is created and its method is called
to display the information.

Attributes and Methods

Attributes are data members (fields or properties) of a class, and methods are functions that operate
on these data members. Together, they define the state and behavior of objects.

Example:
csharp

Copy code

public class BankAccount {

// Attributes

private double balance;

// Constructor

public BankAccount(double initialBalance) {

balance = initialBalance;

// Methods

public void Deposit(double amount) {

if (amount > 0) {

balance += amount;

Console.WriteLine($"Deposited: {amount}, New Balance: {balance}");

public void Withdraw(double amount) {

if (amount > 0 && amount <= balance) {

balance -= amount;

Console.WriteLine($"Withdrew: {amount}, New Balance: {balance}");

} else {

Console.WriteLine("Invalid withdrawal amount.");

public double GetBalance() {

return balance;

}
}

class Program {

static void Main() {

// Creating an object of the BankAccount class

BankAccount account = new BankAccount(1000);

account.Deposit(500); // Outputs: Deposited: 500, New Balance: 1500

account.Withdraw(200); // Outputs: Withdrew: 200, New Balance: 1300

Console.WriteLine($"Current Balance: {account.GetBalance()}"); // Outputs: Current Balance:


1300

In this example, the BankAccount class has an attribute balance, a constructor to initialize the
balance, and methods to deposit and withdraw money from the account. These methods
encapsulate the logic for modifying the balance, ensuring data integrity.

Relationships and Interactions

Object-oriented design also involves defining relationships and interactions between different
classes. Common relationships include inheritance, association, aggregation, and composition.

Example (Association and Composition):

csharp

Copy code

public class Engine {

public int Horsepower { get; set; }

public string Type { get; set; }

public Engine(int horsepower, string type) {

Horsepower = horsepower;

Type = type;

}
public void Start() {

Console.WriteLine("Engine started.");

public class Car {

public string Make { get; set; }

public string Model { get; set; }

public int Year { get; set; }

public Engine Engine { get; set; } // Composition

public Car(string make, string model, int year, Engine engine) {

Make = make;

Model = model;

Year = year;

Engine = engine;

public void StartCar() {

Console.WriteLine($"{Make} {Model} ({Year}) is starting.");

Engine.Start();

class Program {

static void Main() {

Engine engine = new Engine(300, "V6");

Car car = new Car("Ford", "Mustang", 2022, engine);

car.StartCar(); // Outputs: Ford Mustang (2022) is starting. Engine started.

}
}

In this example, the Car class has a composition relationship with the Engine class, meaning a Car
object contains an Engine object. The Car class can interact with the Engine class through its Engine
property, demonstrating how objects can collaborate to achieve functionality.

Object-Oriented Design Principles

Single Responsibility Principle (SRP): Each class should have only one reason to change, meaning it
should have only one job or responsibility.

Open/Closed Principle (OCP): Software entities should be open for extension but closed for
modification.

Liskov Substitution Principle (LSP): Objects of a superclass should be replaceable with objects of a
subclass without affecting the correctness of the program.

Interface Segregation Principle (ISP): Clients should not be forced to depend on interfaces they do
not use.

Dependency Inversion Principle (DIP): High-level modules should not depend on low-level modules.
Both should depend on abstractions.

By adhering to these principles, C# developers can create robust, flexible, and maintainable object-
oriented systems.

5. Classes in C#
In C#, a class is a fundamental building block of object-oriented programming. It acts as a
blueprint for creating objects. A class defines the data (attributes or properties) and behavior
(methods) that its objects will have. Classes encapsulate data and methods into a single unit,
promoting modularity and code reusability.

Components of a Class

1. Fields: Variables that hold the data or state of the object.


2. Properties: Special methods that provide a flexible mechanism to read, write, or
compute the values of private fields.
3. Methods: Functions defined within a class that describe the behaviors or actions that
an object can perform.
4. Constructors: Special methods used to initialize objects when they are created.
5. Destructors: Methods used to perform cleanup operations when an object is
destroyed (less commonly used in modern C# due to garbage collection).

Example of a Class

Here’s a detailed example to illustrate the key components of a class:

csharp
Copy code
using System;
public class Car {
// Fields
private string make;
private string model;
private int year;
private double mileage;

// Properties
public string Make {
get { return make; }
set { make = value; }
}

public string Model {


get { return model; }
set { model = value; }
}

public int Year {


get { return year; }
set {
if (value > 1885) { // Cars were not invented before 1885
year = value;
} else {
Console.WriteLine("Year must be greater than 1885.");
}
}
}

public double Mileage {


get { return mileage; }
set {
if (value >= 0) { // Mileage cannot be negative
mileage = value;
} else {
Console.WriteLine("Mileage cannot be negative.");
}
}
}

// Constructor
public Car(string make, string model, int year, double mileage) {
Make = make;
Model = model;
Year = year;
Mileage = mileage;
}

// Method
public void Drive(double distance) {
if (distance > 0) {
mileage += distance;
Console.WriteLine($"The car has been driven {distance}
miles.");
} else {
Console.WriteLine("Distance must be positive.");
}
}

// Method to display car information


public void DisplayInfo() {
Console.WriteLine($"Make: {Make}, Model: {Model}, Year: {Year},
Mileage: {Mileage}");
}
}

class Program {
static void Main() {
// Creating an object of the Car class
Car myCar = new Car("Toyota", "Corolla", 2020, 15000);
myCar.DisplayInfo(); // Outputs: Make: Toyota, Model: Corolla,
Year: 2020, Mileage: 15000

// Driving the car and updating mileage


myCar.Drive(200);
myCar.DisplayInfo(); // Outputs: Make: Toyota, Model: Corolla,
Year: 2020, Mileage: 15200
}
}

Explanation

1. Fields:
o private string make;
o private string model;
o private int year;
o private double mileage;

These fields are private, meaning they cannot be accessed directly from outside the
class. This encapsulation ensures that the class maintains control over its data.

2. Properties:
o public string Make { get; set; }
o public string Model { get; set; }
o public int Year { get; set; }
o public double Mileage { get; set; }

Properties provide a way to access and modify the private fields. They include
validation logic (e.g., checking that Year is greater than 1885 and Mileage is not
negative) to ensure the integrity of the data.

3. Constructor:
o public Car(string make, string model, int year, double mileage)

The constructor initializes the Car object with the provided values. It ensures that
every Car object is created with valid data.

4. Methods:
o public void Drive(double distance)

This method updates the mileage field based on the distance driven. It
includes validation to ensure that the distance is positive.

o public void DisplayInfo()


This method displays the car’s details to the console. It uses the properties to
access and show the information.

Key Points

• Encapsulation: The class hides its internal data and only exposes necessary
functionality through methods and properties.
• Initialization: The constructor is used to create and initialize objects with specific
values.
• Validation: Properties and methods can include validation logic to maintain data
integrity and ensure correct behavior.

Using classes effectively allows developers to create structured, maintainable, and reusable
code. By defining clear and logical classes, complex systems can be managed more easily
and modifications can be made with minimal impact on other parts of the system.

6. Inheritance in C#
Inheritance is a fundamental concept in object-oriented programming that allows a class to
inherit members (fields, properties, and methods) from another class. This promotes code
reusability and establishes a hierarchical relationship between classes. The class that is
inherited from is called the base class (or parent class), and the class that inherits is called the
derived class (or child class).

How Inheritance Works

1. Base Class: The class whose members are inherited by another class.
2. Derived Class: The class that inherits the members of the base class.

In C#, inheritance is implemented using the : symbol. The derived class inherits all public
and protected members from the base class but does not inherit private members.

Example of Inheritance

Here’s a detailed example to illustrate inheritance:

csharp
Copy code
using System;

public class Vehicle {


// Base class attributes
public string Color { get; set; }

// Base class method


public void Start() {
Console.WriteLine("Vehicle started.");
}

// Method to be overridden
public virtual void Honk() {
Console.WriteLine("Vehicle honks.");
}
}

public class Car : Vehicle {


// Derived class attribute
public int NumberOfDoors { get; set; }

// Derived class method


public void OpenTrunk() {
Console.WriteLine("Trunk opened.");
}

// Method overriding
public override void Honk() {
Console.WriteLine("Car honks: Beep Beep!");
}
}

class Program {
static void Main() {
// Creating an object of the Car class
Car myCar = new Car();
myCar.Color = "Red";
myCar.NumberOfDoors = 4;

// Accessing members from the base class


Console.WriteLine($"Car Color: {myCar.Color}"); // Outputs: Car
Color: Red
myCar.Start(); // Outputs: Vehicle started.
myCar.Honk(); // Outputs: Car honks: Beep Beep!

// Accessing members from the derived class


Console.WriteLine($"Number of Doors: {myCar.NumberOfDoors}"); //
Outputs: Number of Doors: 4
myCar.OpenTrunk(); // Outputs: Trunk opened.
}
}

Explanation

1. Base Class (Vehicle):


o Attributes: Color is a public property that can be accessed and modified by
derived classes.
o Method: Start() is a public method that prints a message to the console.
o Virtual Method: Honk() is a virtual method, which means it can be
overridden by derived classes to provide a specific implementation.
2. Derived Class (Car):
o Attributes: NumberOfDoors is a public property specific to Car.
o Method: OpenTrunk() is a method specific to Car.
o Method Overriding: Honk() is overridden to provide a specific
implementation for Car. The override keyword is used to indicate that this
method is replacing the base class method.
3. Object Creation:
o An object myCar of type Car is created. This object has access to both the
members defined in the Vehicle class and those defined in the Car class.
o The Start() method from the base class Vehicle and the overridden Honk()
method from the derived class Car are called.
o Additionally, the OpenTrunk() method is called, which is specific to the Car
class.

Benefits of Inheritance

1. Code Reusability: Common functionality is defined once in the base class and reused
in derived classes, reducing redundancy.
2. Modularity: Inheritance helps in creating a hierarchy of classes that can be easily
extended or modified.
3. Extensibility: New functionality can be added to derived classes without modifying
the existing base class code.
4. Polymorphism: Inheritance enables polymorphism, allowing methods to be
overridden to provide specific behavior in derived classes.

Access Modifiers

In C#, access modifiers control the visibility of class members:

• Public: Members are accessible from outside the class.


• Protected: Members are accessible within the class and its derived classes.
• Private: Members are only accessible within the class itself.
• Internal: Members are accessible within the same assembly (project).
• Protected Internal: Members are accessible within the same assembly and derived
classes.

By understanding and utilizing inheritance, you can design robust, flexible, and reusable
object-oriented systems in C#.

7. Polymorphism
Polymorphism is a fundamental concept in object-oriented programming (OOP) that allows
methods to be used interchangeably based on the object they are acting upon. This means that
a single method can operate on objects of different classes and perform different behaviors
based on the class of the object. Polymorphism is achieved through method overriding and
method overloading.

Let's dive deeper into polymorphism with an example in C#.

Example with Method Overriding

In this example, we'll define a base class Animal and a derived class Dog. The Dog class will
override a method from the Animal class.

csharp
Copy code
using System;

public class Animal {


// Base class method
public virtual void MakeSound() {
Console.WriteLine("Animal sound.");
}
}

public class Dog : Animal {


// Derived class method overrides the base class method
public override void MakeSound() {
Console.WriteLine("Bark.");
}
}

public class Program {


public static void Main() {
// Create an instance of Dog
Animal myDog = new Dog();

// Call the MakeSound method


myDog.MakeSound(); // Outputs: Bark.
}
}

Explanation

1. Base Class (Animal):


o The Animal class has a method MakeSound which prints "Animal sound.".
o This method is marked as virtual, indicating that it can be overridden in a
derived class.
2. Derived Class (Dog):
o The Dog class inherits from the Animal class.
o It overrides the MakeSound method to provide a specific implementation that
prints "Bark.".
o The override keyword is used to indicate that the method is overriding a base
class method.
3. Polymorphism in Action:
o In the Main method, an Animal reference (myDog) is assigned an instance of
the Dog class.
o When myDog.MakeSound() is called, the overridden method in the Dog class is
executed, printing "Bark.".

Benefits of Polymorphism

1. Code Reusability: You can write code that works with objects of the base class type,
and it will work with any derived class objects.
2. Flexibility and Maintainability: You can add new derived classes and override
methods without changing the existing code that uses the base class.
3. Simplifies Code: It allows for simpler and more readable code by using a single
method name to perform different tasks based on the object type.

Another Example: Method Overloading


Polymorphism can also be achieved through method overloading, where multiple methods
have the same name but different parameters.

csharp
Copy code
using System;

public class MathOperations {


// Method with two int parameters
public int Add(int a, int b) {
return a + b;
}

// Method with three int parameters


public int Add(int a, int b, int c) {
return a + b + c;
}

// Method with two double parameters


public double Add(double a, double b) {
return a + b;
}
}

public class Program {


public static void Main() {
MathOperations mathOps = new MathOperations();

// Call the Add method with different parameters


Console.WriteLine(mathOps.Add(2, 3)); // Outputs: 5
Console.WriteLine(mathOps.Add(2, 3, 4)); // Outputs: 9
Console.WriteLine(mathOps.Add(2.5, 3.5)); // Outputs: 6.0
}
}

Explanation

1. Method Overloading:
o The MathOperations class has three Add methods with different parameter
lists.
o This is called method overloading, where methods have the same name but
different signatures.
2. Using Overloaded Methods:
o In the Main method, the appropriate Add method is called based on the
parameters passed.
o The correct method is determined at compile time based on the parameter
types and count.

Polymorphism enhances the flexibility and maintainability of your code by allowing methods
to operate differently based on the object or parameters they are working with.

8. Data Encapsulation
Encapsulation is one of the fundamental principles of object-oriented programming (OOP). It
involves wrapping data (variables) and methods (functions) into a single unit called a class.
By restricting direct access to some of an object's components, encapsulation helps prevent
the accidental modification of data and enhances the security and robustness of the code.

Example: Encapsulation in C#

Let's look at an example that demonstrates data encapsulation in C#.

csharp
Copy code
using System;

public class Account {


// Private field
private double balance;

// Public property with getter and setter


public double Balance {
get { return balance; }
set {
if (value >= 0)
balance = value;
else
Console.WriteLine("Balance cannot be negative.");
}
}
}

public class Program {


public static void Main() {
Account myAccount = new Account();

// Trying to set a positive balance


myAccount.Balance = 100.50;
Console.WriteLine("Balance: " + myAccount.Balance); // Outputs:
Balance: 100.5

// Trying to set a negative balance


myAccount.Balance = -50;
Console.WriteLine("Balance: " + myAccount.Balance); // Outputs:
Balance: 100.5
}
}

Explanation

1. Private Field:
o The balance field in the Account class is declared as private. This means it
cannot be accessed directly from outside the class.
2. Public Property:
o The Balance property provides a way to access and modify the balance field.
o The getter (get) allows read access to the balance.
o The setter (set) allows write access to the balance, with a condition to ensure
that the balance cannot be set to a negative value.
3. Encapsulation in Action:
o In the Main method, an instance of the Account class is created.
o The Balance property is used to set and get the value of the balance field.
o An attempt to set a negative balance is prevented by the condition in the setter.

9. Constructors and Destructors


Constructors and destructors are special methods in a class that are used for initializing and
cleaning up objects, respectively.

Constructors

A constructor is a method that is called when an object is instantiated. It typically initializes


the object's data members.

Example: Constructor in C#

csharp
Copy code
using System;

public class Account {


private double balance;

// Constructor
public Account(double initialBalance) {
if (initialBalance >= 0)
balance = initialBalance;
else
balance = 0;
}

public double Balance {


get { return balance; }
set {
if (value >= 0)
balance = value;
}
}
}

public class Program {


public static void Main() {
Account myAccount = new Account(100.50);
Console.WriteLine("Balance: " + myAccount.Balance); // Outputs:
Balance: 100.5
}
}

Explanation

1. Constructor:
o The Account class has a constructor that takes an initial balance as a
parameter.
o The constructor initializes the balance field to the given initial balance if it is
non-negative; otherwise, it initializes balance to 0.
2. Object Initialization:
o In the Main method, an instance of the Account class is created with an initial
balance of 100.50.
o The constructor initializes the balance field with the provided value.

Destructors

A destructor is a method that is called automatically when an object is destroyed. It is used


for cleanup operations such as releasing resources.

Example: Destructor in C#

csharp
Copy code
using System;

public class Account {


private double balance;

public Account(double initialBalance) {


if (initialBalance >= 0)
balance = initialBalance;
else
balance = 0;
}

public double Balance {


get { return balance; }
set {
if (value >= 0)
balance = value;
}
}

// Destructor
~Account() {
Console.WriteLine("Account object is being destroyed.");
}
}

public class Program {


public static void Main() {
Account myAccount = new Account(100.50);
Console.WriteLine("Balance: " + myAccount.Balance); // Outputs:
Balance: 100.5
}
}

Explanation

1. Destructor:
o The Account class has a destructor, which is defined using the ~ symbol
followed by the class name.
o The destructor contains code that is executed when the object is destroyed. In
this example, it simply prints a message.
2. Object Cleanup:
o Destructors are called automatically when an object is no longer in use and is
being garbage collected.
o You do not call the destructor explicitly; it is managed by the runtime
environment.

Summary

• Encapsulation: Restricts direct access to an object's components and prevents


accidental modification of data. It is implemented using private fields and public
properties or methods.
• Constructor: A method called when an object is created, used for initializing the
object.
• Destructor: A method called when an object is destroyed, used for cleanup
operations.

These concepts are fundamental in building robust and maintainable object-oriented


programs.

10. Access Modifiers in C#


Access modifiers in C# are keywords used to specify the declared accessibility of members
and types. They define the visibility and accessibility of classes, methods, and other
members. Understanding these modifiers is crucial for designing classes and controlling
access to their members.

Here’s a detailed explanation of the different access modifiers in C# with examples.

Public

• Public members are accessible from anywhere. This means any other class or code
can access the public members of the class.

Example:

csharp
Copy code
public class Sample {
public int PublicProperty { get; set; }
}

public class Test {


public static void Main() {
Sample sample = new Sample();
sample.PublicProperty = 10; // Accessible from anywhere
Console.WriteLine(sample.PublicProperty); // Outputs: 10
}
}

Private
• Private members are accessible only within the same class. They are not accessible
from outside the class, not even by derived classes.

Example:

csharp
Copy code
public class Sample {
private int PrivateProperty { get; set; }

public void SetPrivateProperty(int value) {


PrivateProperty = value; // Accessible within the same class
}

public int GetPrivateProperty() {


return PrivateProperty; // Accessible within the same class
}
}

public class Test {


public static void Main() {
Sample sample = new Sample();
sample.SetPrivateProperty(20);
Console.WriteLine(sample.GetPrivateProperty()); // Outputs: 20
// sample.PrivateProperty = 30; // Not accessible, would cause a
compile error
}
}

Protected

• Protected members are accessible within the same class and by derived classes. They
are not accessible from outside these classes.

Example:

csharp
Copy code
public class Sample {
protected int ProtectedProperty { get; set; }
}

public class DerivedSample : Sample {


public void SetProtectedProperty(int value) {
ProtectedProperty = value; // Accessible in derived class
}
}

public class Test {


public static void Main() {
DerivedSample sample = new DerivedSample();
sample.SetProtectedProperty(30);
// sample.ProtectedProperty = 40; // Not accessible, would cause a
compile error
}
}

Internal
• Internal members are accessible only within the same assembly. They are not
accessible from another assembly.

Example:

csharp
Copy code
// Assembly1 - SampleLibrary.dll
public class Sample {
internal int InternalProperty { get; set; }
}

// Assembly2 - ConsoleApp.exe
// Reference SampleLibrary.dll
public class Test {
public static void Main() {
Sample sample = new Sample();
sample.InternalProperty = 50; // Accessible because it's within the
same assembly
Console.WriteLine(sample.InternalProperty); // Outputs: 50
}
}

Protected Internal

• Protected Internal members are accessible within the same assembly and by derived
classes in other assemblies. This is a combination of protected and internal
accessibility.

Example:

csharp
Copy code
// Assembly1 - SampleLibrary.dll
public class Sample {
protected internal int ProtectedInternalProperty { get; set; }
}

// Assembly2 - ConsoleApp.exe
// Reference SampleLibrary.dll
public class DerivedSample : Sample {
public void SetProtectedInternalProperty(int value) {
ProtectedInternalProperty = value; // Accessible in derived class
even in a different assembly
}
}

public class Test {


public static void Main() {
DerivedSample sample = new DerivedSample();
sample.SetProtectedInternalProperty(60);
// sample.ProtectedInternalProperty = 70; // Not accessible if it's
not a derived class
}
}

Summary
To summarize, access modifiers control the visibility and accessibility of class members:

• Public: Accessible from anywhere.


• Private: Accessible only within the same class.
• Protected: Accessible within the same class and by derived classes.
• Internal: Accessible within the same assembly.
• Protected Internal: Accessible within the same assembly or by derived classes in
other assemblies.

Understanding and using access modifiers appropriately allows for better encapsulation and
control over the exposure of class members, enhancing the maintainability and security of
your code.

11. Controls in C#
Controls in C# are UI elements used in frameworks like Windows Forms and WPF
(Windows Presentation Foundation). These controls include buttons, text boxes, labels, and
other elements that provide the interactive components of a user interface.

Let's explore how to use a Button control in a Windows Forms application with a detailed
example.

Example: Button Control in Windows Forms

In this example, we'll create a simple Windows Forms application with a Button control that
displays a message when clicked.

Step 1: Create a Windows Forms Application

1. Open Visual Studio.


2. Create a new project.
3. Select "Windows Forms App (.NET Framework)".
4. Name the project and click "Create".

Step 2: Design the Form

1. In the Form Designer, drag and drop a Button control from the Toolbox onto the
form.
2. Set the properties of the Button in the Properties window:
o Name: myButton
o Text: Click Me

Step 3: Add Event Handling Code

1. Double-click the Button in the Form Designer. This will create a click event handler
method in the code-behind file (Form1.cs).
2. Implement the event handler method to display a message box when the button is
clicked.
csharp
Copy code
using System;
using System.Windows.Forms;

namespace WindowsFormsApp {
public partial class Form1 : Form {
public Form1() {
InitializeComponent();
}

private void myButton_Click(object sender, EventArgs e) {


MessageBox.Show("Button Clicked");
}
}
}

Explanation

1. Form Designer:
o The Button control (myButton) is added to the form and its Text property is
set to "Click Me".
2. Event Handler:
o The event handler myButton_Click is automatically created when you
double-click the Button in the Form Designer.
o This method is executed when the Button is clicked.
o Inside the myButton_Click method, the MessageBox.Show method displays a
message box with the text "Button Clicked".

Running the Application

1. Press F5 or click the "Start" button in Visual Studio to run the application.
2. The form will appear with the Button labeled "Click Me".
3. Click the Button, and a message box with the text "Button Clicked" will be displayed.

Detailed Example with Manual Code

You can also create and configure controls programmatically. Here’s how to manually create
the same Button control and add an event handler:

csharp
Copy code
using System;
using System.Windows.Forms;

namespace WindowsFormsApp {
public class MainForm : Form {
private Button myButton;

public MainForm() {
// Initialize the Button control
myButton = new Button();
myButton.Text = "Click Me";
myButton.Location = new System.Drawing.Point(50, 50); // Set
the position of the Button
myButton.Click += new EventHandler(Button_Click);

// Add the Button to the form


Controls.Add(myButton);
}

private void Button_Click(object sender, EventArgs e) {


MessageBox.Show("Button Clicked");
}

[STAThread]
public static void Main() {
Application.EnableVisualStyles();
Application.SetCompatibleTextRenderingDefault(false);
Application.Run(new MainForm());
}
}
}

Explanation

1. Creating the Button Control:


o The Button control is instantiated using new Button().
o The Text property is set to "Click Me".
o The Location property sets the position of the Button on the form.
2. Event Handling:
o The Click event of the Button is associated with the Button_Click event
handler using += new EventHandler(Button_Click).
o The Button_Click method displays a message box when the Button is
clicked.
3. Adding the Button to the Form:
o The Controls.Add(myButton) method adds the Button control to the form.
4. Main Method:
o The Main method is the entry point of the application.
o It initializes and runs the form using Application.Run(new MainForm()).

Summary

Controls in C# are essential components of the user interface in Windows Forms and WPF
applications. By understanding how to create, configure, and handle events for these controls,
you can build interactive and user-friendly applications. The example provided demonstrates
how to create a Button control, set its properties, and handle its click event to display a
message.

12. Data Types in C#


C# supports various data types, which are broadly categorized into value types and reference
types. Understanding these data types is fundamental to programming in C#.

Value Types
Value types hold their data directly. When you assign a value type to a variable, the actual
value is stored in that variable.

Examples of Value Types:

• int (integer)
• float (floating-point number)
• double (double-precision floating-point number)
• char (character)
• bool (Boolean)

Reference Types

Reference types store references to their data (objects) rather than the data itself. When you
assign a reference type to a variable, you are assigning a reference to the memory location
where the object is stored.

Examples of Reference Types:

• string (a sequence of characters)


• Arrays
• Class instances

Let's explore these data types with detailed examples in C#.

Value Types Examples


csharp
Copy code
using System;

public class Program {


public static void Main() {
// Declaring and initializing value types
int age = 30; // Integer type
double salary = 50000.50; // Double type
char grade = 'A'; // Character type
bool isEmployed = true; // Boolean type

// Displaying the values


Console.WriteLine("Age: " + age); // Outputs: Age:
30
Console.WriteLine("Salary: " + salary); // Outputs:
Salary: 50000.5
Console.WriteLine("Grade: " + grade); // Outputs:
Grade: A
Console.WriteLine("Is Employed: " + isEmployed); // Outputs: Is
Employed: True
}
}

Explanation of Value Types

1. int (Integer):
o int age = 30; declares an integer variable age and assigns it the value 30.
o Integer types in C# are used to store whole numbers.
2. double (Double-Precision Floating-Point Number):
o double salary = 50000.50; declares a double variable salary and assigns
it the value 50000.50.
o Double types are used to store large floating-point numbers with double
precision.
3. char (Character):
o char grade = 'A'; declares a character variable grade and assigns it the
value 'A'.
o Character types are used to store single characters.
4. bool (Boolean):
o bool isEmployed = true; declares a boolean variable isEmployed and
assigns it the value true.
o Boolean types are used to store true or false values.

Reference Types Examples


csharp
Copy code
using System;

public class Program {


public static void Main() {
// Declaring and initializing reference types
string name = "Alice"; // String type
int[] ages = { 25, 30, 35 }; // Array type
Person person = new Person(); // Class instance

// Setting properties of the class instance


person.FirstName = "John";
person.LastName = "Doe";

// Displaying the values


Console.WriteLine("Name: " + name); //
Outputs: Name: Alice
Console.WriteLine("Ages: " + string.Join(", ", ages)); //
Outputs: Ages: 25, 30, 35
Console.WriteLine("Person: " + person.FullName()); //
Outputs: Person: John Doe
}
}

public class Person {


public string FirstName { get; set; }
public string LastName { get; set; }

public string FullName() {


return FirstName + " " + LastName;
}
}

Explanation of Reference Types

1. string (Sequence of Characters):


o string name = "Alice"; declares a string variable name and assigns it the
value "Alice".
o String types are used to store sequences of characters.
2. Array:
o int[] ages = { 25, 30, 35 }; declares an array of integers named ages
and initializes it with the values 25, 30, and 35.
o Arrays are used to store multiple values of the same type in a single variable.
3. Class Instance:
o Person person = new Person(); creates an instance of the Person class.
o Class instances are used to create objects that encapsulate data and methods.
4. Class Definition:
o The Person class has two properties: FirstName and LastName.
o It also has a method FullName that returns the full name by concatenating
FirstName and LastName.

Summary

Understanding value types and reference types is crucial for effective programming in C#.

• Value Types hold their data directly and include types like int, double, char, and
bool.
• Reference Types store references to their data and include types like string, arrays,
and class instances.

By mastering these data types, you can write more efficient and reliable code.

13. Casting in C#
Casting is the process of converting a variable from one type to another. In C#, there are two
main types of casting: implicit casting and explicit casting.

Implicit Casting

Implicit casting is automatically performed by the compiler when converting a smaller type
to a larger type. This type of casting is safe and does not result in data loss because the larger
type can hold all possible values of the smaller type.

Explicit Casting

Explicit casting is done manually by the programmer when converting a larger type to a
smaller type. This type of casting can result in data loss because the smaller type might not be
able to hold all possible values of the larger type.

Let's look at detailed examples of both implicit and explicit casting in C#.

Implicit Casting

In implicit casting, the conversion is automatically handled by the compiler. Here’s an


example:
csharp
Copy code
using System;

public class Program {


public static void Main() {
// Implicit Casting
int num = 123; // Integer type
double doubleNum = num; // Automatically converts int to double

// Displaying the values


Console.WriteLine("Integer: " + num); // Outputs: Integer:
123
Console.WriteLine("Double: " + doubleNum); // Outputs: Double:
123
}
}

Explanation of Implicit Casting

1. Integer to Double Conversion:


o int num = 123; declares an integer variable num and assigns it the value 123.
o double doubleNum = num; automatically converts the integer num to a
double and assigns it to the doubleNum variable.
o This conversion is safe because a double can hold all values of an integer
without any data loss.

Explicit Casting

In explicit casting, the conversion must be specified by the programmer. Here’s an example:

csharp
Copy code
using System;

public class Program {


public static void Main() {
// Explicit Casting
double pi = 3.14; // Double type
int intPi = (int)pi; // Manually converts double to int

// Displaying the values


Console.WriteLine("Double: " + pi); // Outputs: Double:
3.14
Console.WriteLine("Integer: " + intPi); // Outputs: Integer:
3
}
}

Explanation of Explicit Casting

1. Double to Integer Conversion:


o double pi = 3.14; declares a double variable pi and assigns it the value
3.14.
o int intPi = (int)pi; explicitly converts the double pi to an integer by
using (int)pi. The fractional part (.14) is truncated, resulting in the value 3
being assigned to intPi.
o This conversion can result in data loss since the fractional part is discarded.

Additional Examples

Implicit Casting with Other Types

csharp
Copy code
using System;

public class Program {


public static void Main() {
// Implicit Casting
char letter = 'A'; // Character type
int asciiValue = letter; // Automatically converts char to int
(ASCII value)

// Displaying the values


Console.WriteLine("Character: " + letter); // Outputs:
Character: A
Console.WriteLine("ASCII Value: " + asciiValue); // Outputs: ASCII
Value: 65
}
}

Explanation

1. Character to Integer Conversion:


o char letter = 'A'; declares a character variable letter and assigns it the
value 'A'.
o int asciiValue = letter; automatically converts the character letter to
its ASCII integer value and assigns it to asciiValue.
o This conversion is safe because the integer can hold all possible values of the
character type.

Explicit Casting with Other Types

csharp
Copy code
using System;

public class Program {


public static void Main() {
// Explicit Casting
long largeNumber = 1234567890123; // Long type
int smallNumber = (int)largeNumber; // Manually converts long to
int

// Displaying the values


Console.WriteLine("Long: " + largeNumber); // Outputs: Long:
1234567890123
Console.WriteLine("Integer: " + smallNumber); // Outputs: Integer:
-1912276171 (due to overflow)
}
}

Explanation

1. Long to Integer Conversion:


o long largeNumber = 1234567890123; declares a long variable
largeNumber and assigns it a large value.
o int smallNumber = (int)largeNumber; explicitly converts the long
largeNumber to an integer. Since the value exceeds the range of the integer
type, it results in overflow, causing an unexpected value.
o This conversion can lead to data loss or unexpected behavior due to the
limited range of the smaller type.

Summary

Casting in C# is essential for converting data between different types.

• Implicit Casting: Automatically performed by the compiler for safe conversions from
smaller to larger types.
• Explicit Casting: Manually specified by the programmer for conversions that may
result in data loss from larger to smaller types.

Understanding when and how to use each type of casting is crucial for writing robust and
error-free code.

14. Control Structures in C#


Control structures manage the flow of the program, allowing you to execute code based on
conditions, repeat code blocks, and iterate over collections. Let's explore the main control
structures in C# with detailed examples.

If-Else Statement

The if-else statement executes code based on conditions. If the condition is true, the first
block of code is executed; otherwise, the else block is executed.

csharp
Copy code
using System;

public class Program {


public static void Main() {
int age = 20;

// If-Else
if (age > 18) {
Console.WriteLine("Adult");
} else {
Console.WriteLine("Minor");
}
}
}

Explanation of If-Else Statement

1. Condition Check:
o if (age > 18) checks if the variable age is greater than 18.
o If true, it prints "Adult".
o Otherwise, it prints "Minor".

Switch Statement

The switch statement selects one of many code blocks to execute based on the value of a
variable.

csharp
Copy code
using System;

public class Program {


public static void Main() {
char grade = 'B';

// Switch
switch (grade) {
case 'A':
Console.WriteLine("Excellent");
break;
case 'B':
Console.WriteLine("Good");
break;
default:
Console.WriteLine("Needs Improvement");
break;
}
}
}

Explanation of Switch Statement

1. Case Evaluation:
o switch (grade) evaluates the value of grade.
o If grade is 'A', it prints "Excellent".
o If grade is 'B', it prints "Good".
o For any other value, it prints "Needs Improvement".

For Loop

The for loop repeats a block of code a specified number of times.

csharp
Copy code
using System;

public class Program {


public static void Main() {
// For Loop
for (int i = 0; i < 5; i++) {
Console.WriteLine(i);
}
}
}

Explanation of For Loop

1. Initialization:
o int i = 0 initializes the loop counter i to 0.
2. Condition Check:
o i < 5 checks if i is less than 5.
3. Increment:
o i++ increments i by 1 after each iteration.
4. Loop Execution:
o The loop prints the value of i from 0 to 4.

Foreach Loop

The foreach loop iterates over elements in a collection.

csharp
Copy code
using System;

public class Program {


public static void Main() {
string[] fruits = { "Apple", "Banana", "Cherry" };

// Foreach Loop
foreach (string fruit in fruits) {
Console.WriteLine(fruit);
}
}
}

Explanation of Foreach Loop

1. Collection:
o string[] fruits = { "Apple", "Banana", "Cherry" }; creates an array
of strings.
2. Iteration:
o foreach (string fruit in fruits) iterates over each element in the
fruits array.
o The loop prints each fruit: "Apple", "Banana", and "Cherry".

While Loop

The while loop repeats a block of code while a condition is true.

csharp
Copy code
using System;

public class Program {


public static void Main() {
int count = 0;

// While Loop
while (count < 5) {
Console.WriteLine(count);
count++;
}
}
}

Explanation of While Loop

1. Condition Check:
o while (count < 5) checks if count is less than 5.
2. Loop Execution:
o The loop prints the value of count from 0 to 4.
o count++ increments count by 1 after each iteration.

Do-While Loop

The do-while loop is similar to the while loop but guarantees at least one iteration.

csharp
Copy code
using System;

public class Program {


public static void Main() {
int index = 0;

// Do-While Loop
do {
Console.WriteLine(index);
index++;
} while (index < 5);
}
}

Explanation of Do-While Loop

1. Loop Execution:
o do { ... } executes the block of code.
2. Condition Check:
o while (index < 5) checks if index is less than 5 after each iteration.
o The loop prints the value of index from 0 to 4.

Summary

Control structures are essential for managing the flow of a program:


• If-Else: Executes code based on conditions.
• Switch: Selects one of many code blocks to execute.
• For Loop: Repeats a block of code a specified number of times.
• Foreach Loop: Iterates over elements in a collection.
• While Loop: Repeats a block of code while a condition is true.
• Do-While Loop: Similar to the while loop but guarantees one iteration.

By mastering these control structures, you can write more flexible and efficient C# programs.

15. Methods in C#
Methods are blocks of code that perform a specific task and can be called from other parts of
the code. They help organize and reuse code efficiently. Each method has a name, a return
type, parameters (optional), and a body that contains the code to be executed.

Structure of a Method

A typical method in C# has the following structure:

csharp
Copy code
returnType MethodName(parameters) {
// Method body
}

• returnType: The type of value the method returns. If it does not return a value, the
return type is void.
• MethodName: The name of the method.
• parameters: The input values the method takes, enclosed in parentheses. If there are
no parameters, the parentheses are empty.
• Method body: The block of code that performs the task.

Example of a Simple Method

Let's consider a simple method that adds two integers and returns the result.

csharp
Copy code
using System;

public class Program {


// Method to add two integers
public int Add(int a, int b) {
return a + b;
}

public static void Main() {


Program program = new Program();

// Calling the Add method


int sum = program.Add(5, 3);

// Displaying the result


Console.WriteLine(sum); // Outputs: 8
}
}

Explanation of the Example

1. Method Definition:
o public int Add(int a, int b) defines a method named Add.
o public means the method is accessible from other classes.
o int is the return type, indicating that the method returns an integer.
o Add is the method name.
o (int a, int b) are the parameters, specifying that the method takes two
integer arguments.
2. Method Body:
o The body of the Add method contains the code return a + b;, which adds
the two parameters a and b and returns the result.
3. Calling the Method:
o In the Main method, we create an instance of the Program class: Program
program = new Program();.
o We call the Add method on the instance program and pass the arguments 5 and
3: int sum = program.Add(5, 3);.
o The result, which is 8, is stored in the variable sum.
4. Displaying the Result:
o Console.WriteLine(sum); prints the result to the console.

Additional Examples

Method with Multiple Parameters and Return Type

csharp
Copy code
using System;

public class Program {


// Method to calculate the area of a rectangle
public double CalculateArea(double width, double height) {
return width * height;
}

public static void Main() {


Program program = new Program();

// Calling the CalculateArea method


double area = program.CalculateArea(5.5, 3.2);

// Displaying the result


Console.WriteLine("Area: " + area); // Outputs: Area: 17.6
}
}

Explanation of Additional Example

1. Method Definition:
o public double CalculateArea(double width, double height) defines
a method named CalculateArea that returns a double.
o The method takes two double parameters: width and height.
2. Method Body:
o The body of the CalculateArea method contains the code return width *
height;, which calculates the area of a rectangle and returns the result.
3. Calling the Method:
o In the Main method, we call the CalculateArea method on the instance
program and pass the arguments 5.5 and 3.2: double area =
program.CalculateArea(5.5, 3.2);.
4. Displaying the Result:
o Console.WriteLine("Area: " + area); prints the result to the console.

Method with No Return Type (void)


csharp
Copy code
using System;

public class Program {


// Method to print a greeting message
public void PrintGreeting(string name) {
Console.WriteLine("Hello, " + name + "!");
}

public static void Main() {


Program program = new Program();

// Calling the PrintGreeting method


program.PrintGreeting("Alice");
}
}

Explanation of Void Method

1. Method Definition:
o public void PrintGreeting(string name) defines a method named
PrintGreeting that does not return a value (void).
o The method takes one string parameter: name.
2. Method Body:
o The body of the PrintGreeting method contains the code
Console.WriteLine("Hello, " + name + "!");, which prints a greeting
message to the console.
3. Calling the Method:
o In the Main method, we call the PrintGreeting method on the instance
program and pass the argument "Alice":
program.PrintGreeting("Alice");.

Summary

Methods are essential for organizing and reusing code in C#. They can perform specific tasks
and be called from other parts of the program.
• Return Type: Specifies the type of value the method returns. Use void if no value is
returned.
• Method Name: Identifies the method.
• Parameters: Define the input values the method takes.
• Method Body: Contains the code that performs the task.

By using methods, you can write cleaner, more modular, and maintainable code.

16. Keywords in C#
Keywords in C# are reserved words that have special meanings in the language syntax. They
can be categorized into several groups, including control flow statements, type declarations,
access modifiers, exception handling, and others. Below is a detailed explanation of these
keywords with examples to help you prepare for your semester exam.

Control Keywords

Control keywords manage the flow of the program. They include conditional statements,
looping statements, and statements to modify loop behavior or control flow.

Conditional Statements

• if, else: Executes code based on conditions.


• switch, case, default: Selects one of many code blocks to execute based on a value.

Example:

csharp
Copy code
using System;

public class Program {


public static void Main() {
int age = 20;

// If-Else
if (age > 18) {
Console.WriteLine("Adult");
} else {
Console.WriteLine("Minor");
}

char grade = 'B';

// Switch-Case
switch (grade) {
case 'A':
Console.WriteLine("Excellent");
break;
case 'B':
Console.WriteLine("Good");
break;
default:
Console.WriteLine("Needs Improvement");
break;
}
}
}

Looping Statements

• for: Repeats a block of code a specified number of times.


• foreach: Iterates over elements in a collection.
• while: Repeats a block of code while a condition is true.
• do-while: Similar to the while loop but guarantees one iteration.

Example:

csharp
Copy code
using System;

public class Program {


public static void Main() {
// For Loop
for (int i = 0; i < 5; i++) {
Console.WriteLine(i);
}

string[] fruits = { "Apple", "Banana", "Cherry" };

// Foreach Loop
foreach (string fruit in fruits) {
Console.WriteLine(fruit);
}

int count = 0;

// While Loop
while (count < 5) {
Console.WriteLine(count);
count++;
}

int index = 0;

// Do-While Loop
do {
Console.WriteLine(index);
index++;
} while (index < 5);
}
}

Loop Modifiers

• break: Exits the current loop.


• continue: Skips the current iteration and moves to the next iteration.

Example:
csharp
Copy code
using System;

public class Program {


public static void Main() {
for (int i = 0; i < 10; i++) {
if (i == 5) {
continue; // Skips the rest of the loop body when i is 5
}
Console.WriteLine(i);
if (i == 8) {
break; // Exits the loop when i is 8
}
}
}
}

Transfer Control

• goto: Transfers control to a labeled statement.

Example:

csharp
Copy code
using System;

public class Program {


public static void Main() {
int num = 1;
label:
Console.WriteLine(num);
num++;
if (num <= 3) {
goto label; // Transfers control to the label
}
}
}

Function Control

• return: Exits a function and optionally returns a value.

Example:

csharp
Copy code
using System;

public class Program {


public static void Main() {
int result = Add(5, 3);
Console.WriteLine(result); // Outputs: 8
}

public static int Add(int a, int b) {


return a + b; // Returns the sum of a and b
}
}

• yield: Returns an element to the caller in an iterator method.

Example:

csharp
Copy code
using System;
using System.Collections.Generic;

public class Program {


public static void Main() {
foreach (int number in GetNumbers()) {
Console.WriteLine(number);
}
}

public static IEnumerable<int> GetNumbers() {


yield return 1;
yield return 2;
yield return 3;
}
}

Type Keywords

Type keywords declare and define types such as classes, structures, enumerations, interfaces,
and delegates.

Class

Defines a class.

Example:

csharp
Copy code
public class MyClass {
public int MyProperty { get; set; }
}

Struct

Defines a structure.

Example:

csharp
Copy code
public struct MyStruct {
public int MyField;
}
Enum

Defines an enumeration.

Example:

csharp
Copy code
public enum Days {
Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday
}

Interface

Defines an interface.

Example:

csharp
Copy code
public interface IMyInterface {
void MyMethod();
}

Delegate

Defines a delegate.

Example:

csharp
Copy code
public delegate void MyDelegate(string message);

Var

Defines an implicitly-typed local variable.

Example:

csharp
Copy code
var myVar = "Hello"; // The compiler infers the type as string

Access Modifiers

Access modifiers control the visibility of types and type members.

• public: Accessible from anywhere.


• private: Accessible only within the class.
• protected: Accessible within the class and derived classes.
• internal: Accessible within the same assembly.
• protected internal: Accessible within the same assembly or derived classes.
Example:

csharp
Copy code
public class MyClass {
private int myField;
protected int MyProperty { get; set; }
internal void MyMethod() {
// Code here
}
}

Exception Handling Keywords

Exception handling keywords manage errors and exceptions.

• try: Defines a block of code for exception handling.


• catch: Catches exceptions thrown in a try block.
• finally: Executes code after try and catch blocks, regardless of whether an exception
was thrown.
• throw: Throws an exception.

Example:

csharp
Copy code
using System;

public class Program {


public static void Main() {
try {
int result = 10 / 0;
} catch (DivideByZeroException ex) {
Console.WriteLine("Cannot divide by zero.");
} finally {
Console.WriteLine("Execution finished.");
}
}
}

Other Keywords

Class and Member Modifiers

• abstract: Defines an abstract class or method.


• sealed: Prevents inheritance of a class.
• static: Declares a static member or class.
• virtual: Allows a method to be overridden in a derived class.
• override: Provides a new implementation of a virtual method.

Example:

csharp
Copy code
public abstract class Animal {
public abstract void MakeSound();
}

public sealed class Dog : Animal {


public override void MakeSound() {
Console.WriteLine("Bark");
}
}

public class MyClass {


public virtual void MyMethod() {
Console.WriteLine("Base method");
}
}

Field Modifiers

• const: Declares a constant field or local variable.


• readonly: Declares a read-only field.

Example:

csharp
Copy code
public class MyClass {
public const int MyConst = 10;
public readonly int MyReadOnly;

public MyClass() {
MyReadOnly = 20;
}
}

Object Creation and Inheritance

• new: Creates instances of types and hides inherited members.


• this: References the current instance of the class.
• base: References the base class.

Example:

csharp
Copy code
public class BaseClass {
public void Display() {
Console.WriteLine("Base Class Display");
}
}

public class DerivedClass : BaseClass {


public new void Display() {
Console.WriteLine("Derived Class Display");
}

public void ShowBaseDisplay() {


base.Display(); // Calls the base class method
}
}

Namespace Management

• namespace: Declares a namespace.


• using: Imports a namespace or provides a scope for object disposal.

Example:

csharp
Copy code
using System;

namespace MyNamespace {
public class MyNewClass {
// Class code here
}
}

Summary

Understanding these keywords is crucial for mastering C# programming. They control the
flow of the program, define types, manage access, handle exceptions, and more. Here are
some key takeaways:

• Control Keywords: Manage the execution flow with conditions, loops, and control
transfer statements.
• Type Keywords: Declare and define types such as classes, structs, enums, interfaces,
and delegates.
• Access Modifiers: Control the visibility and accessibility of classes and members.
• Exception Handling Keywords: Handle errors and exceptions in a structured way.
• Other Keywords: Modify classes and members, manage constants and readonly
fields, create objects, and handle namespaces.

By familiarizing yourself with these keywords and practicing with examples, you'll be well-
prepared for your semester exam. If you need more detailed explanations or additional
examples on any specific keyword, feel free to ask!

You might also like