In C#, both interfaces and abstract classes are used to define contracts for classes. They allow for polymorphism and can greatly enhance code organization and flexibility. However, they serve different purposes and have distinct characteristics.
An interface is a contract that defines a set of methods and properties that a class must implement. It does not contain any implementation itself. Here’s a simple example:
public interface IAnimal
{
void Speak();
void Eat();
}
When a class implements an interface, it agrees to provide the implementation for all of the interface’s methods.
public class Dog : IAnimal
{
public void Speak()
{
Console.WriteLine("Woof!");
}
public void Eat()
{
Console.WriteLine("The dog is eating.");
}
}
public class Cat : IAnimal
{
public void Speak()
{
Console.WriteLine("Meow!");
}
public void Eat()
{
Console.WriteLine("The cat is eating.");
}
}
You can use the interface to refer to different animal types, and they will exhibit polymorphic behavior:
public void AnimalSound(IAnimal animal)
{
animal.Speak();
}
IAnimal myDog = new Dog();
IAnimal myCat = new Cat();
AnimalSound(myDog); // Output: Woof!
AnimalSound(myCat); // Output: Meow!
An abstract class can provide some implementation but cannot be instantiated on its own. It can include abstract methods (without implementation) and concrete methods (with implementation).
public abstract class Shape
{
public abstract double Area(); // Abstract method
public void Display()
{
Console.WriteLine("This is a shape."); // Concrete method
}
}
Concrete classes can inherit from abstract classes and must implement all abstract methods:
public class Rectangle : Shape
{
private double width;
private double height;
public Rectangle(double width, double height)
{
this.width = width;
this.height = height;
}
public override double Area()
{
return width * height;
}
}
public class Circle : Shape
{
private double radius;
public Circle(double radius)
{
this.radius = radius;
}
public override double Area()
{
return Math.PI * radius * radius;
}
}
Feature | Interface | Abstract Class |
---|---|---|
Can contain implementation | No | Yes |
Can inherit from other classes | No | Yes |
Multiple inheritance allowed | Yes | No (only one abstract class) |
Access modifiers | No (all members are public) | Yes (can use public, protected) |
Understanding the differences between interfaces and abstract classes is crucial for effective C# programming. By using these constructs wisely, you can create more adaptable and maintainable code. Try implementing your own interfaces and abstract classes to solidify your understanding!