Interface in C# with Real-Time Example

An interface in C# is an essential construct that enables developers to define a contract for classes to implement, ensuring a certain level of abstraction and promoting a more structured and consistent approach to software design. By stipulating a set of methods and properties without containing any implementation details, interfaces provide a means for classes, potentially of disparate types, to achieve polymorphism. This characteristic allows objects of different classes to be treated through a common interface, improving code maintainability and flexibility.

An interface in C# is a contract that defines a group of related functionalities that classes or structs can implement. It specifies what methods, properties, events, or indexers a class must have but does not provide the implementation. Interfaces enable different types to share a common set of behaviors, promoting a more modular and extensible design in applications.

In real-world programming, interfaces fulfill a variety of roles, from enabling dependency injection to facilitating the creation of pluggable software components. Their use is widespread in designing applications that require a modular and extensible architecture.

For instance, a graphic application may define an IDrawable interface that specifies a method for rendering objects on screen. Classes representing different graphical elements, such as circles, rectangles, and lines, would implement this interface and provide their own rendering logic, allowing the application to draw various types of elements without knowing the specifics of each.

Understanding Interfaces in C#

In C#, an interface is a contract that defines a group of related functionalities that a class can implement. Interfaces contain only the signatures of methods, properties, events, or indexers, but do not include any implementation.

They provide a way for classes to adhere to a specific protocol of interaction without dictating how the underlying functionality should be implemented. This means that when a class implements an interface, it agrees to fulfill all of the interface’s members.

Here is an example interface:

public interface IVehicle
{
    void Drive();
    bool Refuel(int amount);
}

Consider the IVehicle interface. It dictates that any class implementing it must provide functionality for Drive and Refuel methods. However, it does not specify how these methods should work internally.

A real-world analogy could be a variety of remote controls (interfaces) for different devices (classes). Each remote has buttons (methods) with labels indicating their function, but the way each device responds to these controls can vary significantly.

Below is a class that implements IVehicle:

public class Car : IVehicle
{
    public void Drive()
    {
        // Implementation for driving a car
    }

    public bool Refuel(int amount)
    {
        // Implementation for refueling a car
        return true;
    }
}

The Car class provides the specific implementations for the Drive and Refuel methods as required by the IVehicle interface. This demonstrates how interfaces enable multiple classes to share the same interface while providing their own specific behaviors.

Interfaces are particularly valuable in facilitating loose coupling, polymorphism, and the extension of applications without altering core logic. This is essential for designing maintainable and scalable software in C#.

Understanding interfaces is instrumental for any developer working with C#, providing a foundational concept for building robust and flexible code.

Defining a Simple Interface in C#

In C#, an interface represents a contract that can be implemented by classes and structs. An interface can contain methods, properties, events, and indexers as members. The purpose of an interface is to define capabilities that implementing types must provide.

Here’s an example of a simple interface:

public interface IVehicle
{
    void Drive();
    int Wheels { get; }
    bool HasEngine { get; }
}

In this example, IVehicle is an interface with one method Drive(), and two properties Wheels and HasEngine. Any class that implements this interface must provide concrete implementations for these members.

For a real-time example, consider a class Car that implements the IVehicle interface:

public class Car : IVehicle
{
    public int Wheels => 4;

    public bool HasEngine => true;

    public void Drive()
    {
        Console.WriteLine("The car is driving.");
    }
}

In the Car class:

  • The Drive method defines how the car behaves when driving.
  • The Wheels property always returns 4, indicating a car typically has four wheels.
  • The HasEngine property returns true, confirming that cars have engines.

Interfaces are fundamental in creating modular and maintainable code in C#. They enable the separation of the definition of tasks from the actual implementation.

Implementing Interfaces in Classes

In C#, interfaces define a contract that classes can implement. When a class implements an interface, it provides specific behavior bound by the interface’s defined structure.

Single Implementation

When a class implements an interface, it must provide an implementation for all the interface’s members. Consider an interface IVehicle with a method StartEngine. A class Car that implements IVehicle would look like this:

interface IVehicle
{
    void StartEngine();
}

class Car : IVehicle
{
    public void StartEngine()
    {
        // Implementation of starting the engine
    }
}

The Car class is now bound to the contract of IVehicle and must provide a literal implementation of the StartEngine method.

Multiple Implementations

A class in C# can implement multiple interfaces. For instance, if there are two interfaces, IVehicle and IMaintenance, a Car class can implement both:

interface IVehicle
{
    void StartEngine();
}

interface IMaintenance
{
    void PerformMaintenance();
}

class Car : IVehicle, IMaintenance
{
    public void StartEngine()
    {
        // Start engine logic
    }

    public void PerformMaintenance()
    {
        // Maintenance logic
    }
}

When implementing multiple interfaces, the Car class includes separate methods for each contract, ensuring distinct behaviors are encapsulated within single units.

Interface Inheritance and Extensions

Interfaces in C# allow for flexible design by enabling a class to inherit from multiple interfaces and by allowing interfaces to define default implementations of methods.

Inheriting from Multiple Interfaces

A class in C# can implement multiple interfaces, even when they contain methods with the same signature. This provides the power to compose behaviors from different sources. Consider two interfaces, IWalkable and ISwimmable:

public interface IWalkable
{
    void Walk();
}

public interface ISwimmable
{
    void Swim();
}

A Duck class could implement both:

public class Duck : IWalkable, ISwimmable
{
    public void Walk()
    {
        // Implementation of walking behavior
    }

    public void Swim()
    {
        // Implementation of swimming behavior
    }
}

This Duck class can now exhibit both walking and swimming behaviors, demonstrating the benefit of multiple interface inheritance.

Extending Interfaces with Default Implementations

C# 8.0 introduced the ability to define default implementations for interface methods. This lets developers evolve interfaces without breaking existing implementers. For example, extending IMovable with a default method:

public interface IMovable
{
    void Move();
    
    // Default implementation
    void Rest() => Console.WriteLine("Resting");
}

Now, classes implementing IMovable are not required to provide an implementation of Rest. This feature enhances interface flexibility and provides a path for interfaces to evolve over time.

Interface Members

In C#, interface members establish a contract for implementing classes. They define a set of methods, properties, and events without implementing any functionality.

Properties

Properties in an interface dictate the signatures for getting and setting values. They remain abstract and must be implemented by any class that implements the interface.

interface IExampleInterface
{
    // Property declaration
    int ExampleProperty { get; set; }
}

Methods

Methods in an interface represent actions that implementing classes can perform. They are declared similarly to methods in classes but without any body.

interface IExampleInterface
{
    // Method declaration
    void ExampleMethod(int parameter);
}

Events

Events provide a way for an interface to declare that implementing classes can have notifications that can be subscribed to by others.

interface IExampleInterface
{
    // Event declaration
    event EventHandler ExampleEvent;
}

Each member declared in an interface is implicitly public and cannot include any access modifiers. They are blueprints for classes and structs that enforce the inclusion and signature of these members upon implementation.

Real-Time Example: Data Access Layer

When constructing a data access layer in C#, the interface defines contracts for data operations, separating implementation from design.

Designing the Repository Interface

The repository interface is a crucial element in the data access layer, acting as an abstraction for data queries and operations. The interface might define a set of operations like:

public interface IRepository<T>
{
    T GetById(int id);
    IEnumerable<T> GetAll();
    void Add(T entity);
    void Update(T entity);
    void Delete(T entity);
}

This IRepository<T> interface ensures that any class which implements it provides methods for basic CRUD operations, tailored to a specific entity type T.

Implementing the Repository

When implementing the IRepository<T> interface, concrete repository classes provide the actual data access code. For instance, a CustomerRepository might look like this:

public class CustomerRepository : IRepository<Customer>
{
    private readonly DbContext _context;

    public CustomerRepository(DbContext context)
    {
        _context = context;
    }

    public Customer GetById(int id)
    {
        return _context.Customers.Find(id);
    }

    public IEnumerable<Customer> GetAll()
    {
        return _context.Customers.ToList();
    }

    ... // Additional methods for Add, Update, and Delete
}

Note: The DbContext is part of Entity Framework, a common ORM used in C# for data access. The repository directly interacts with the database context, handling the persistence logic for the Customer entity.

Best Practices for Using Interfaces in C#

When implementing interfaces in C#, developers should adhere to a set of guidelines to ensure their code is both maintainable and easy to understand. The following best practices are instrumental:

  • Naming Conventions: Interface names should generally start with an uppercase “I” followed by a descriptive noun or noun phrase, like IPaymentProcessor or IDataRepository, making them identifiable in your codebase.
  • Single Responsibility: Each interface should have one clearly defined purpose, adhering to the Single Responsibility Principle. This makes your interfaces more versatile and your system more adaptable to change.
  • Explicit Implementation: When a class implements multiple interfaces that share a method signature, consider using explicit interface implementation to avoid ambiguity and to provide a clear contract for each interface’s role.
  • Dependency Inversion:
    • Favor dependency injection to decouple classes from their dependencies.
    • Rely on interfaces rather than concrete classes to enable easy substitution and mocking for tests.
PrincipleDescription
Liskov SubstitutionObjects of a superclass should be replaceable with objects of a subclass without altering the correct functioning of the system.
Interface SegregationClients should not be forced to depend upon interfaces that they do not use. Split large interfaces into smaller, more specific ones.
  • Documentation: Always document interfaces, as they define important contracts within your system. Each method, property, event, and the interface itself should be accompanied by clear comments that describe their purpose and use. Avoid assuming that the functionality is self-explanatory.
  • Access Modifiers: Use the least permissive access level required. While interface members are public by default, the implementing class can be more restrictive if it makes sense in the context.

By following these practices, developers can create clear, robust, and flexible interface designs that promote scalability and maintainability within C# applications.

Polymorphism with Interfaces

In C#, interfaces facilitate polymorphism, a core concept in object-oriented programming that allows objects to be treated as instances of their parent class rather than their actual derived class. Interfaces provide a contract that classes can implement, enabling them to be used polymorphically.

For example, consider an interface IVehicle with a method Move. Two classes, Car and Bike, implement this interface.

public interface IVehicle {
    void Move();
}

public class Car : IVehicle {
    public void Move() {
        // Implementation for Car
    }
}

public class Bike : IVehicle {
    public void Move() {
        // Implementation for Bike
    }
}

The beauty of polymorphism is that it allows for flexibility in methods that operate on objects of the IVehicle interface:

public class TransportService {
    public void StartTransport(IVehicle vehicle) {
        vehicle.Move();
    }
}

The TransportService class has a method StartTransport accepting an IVehicle. When called, it does not need to know if the vehicle is a Car, a Bike, or any other IVehicle implementation. It will work correctly for any class that fulfills the IVehicle contract.

Key Advantages:

  • Code Reusability: Common interface allows different implementations to be reused through the same interface.
  • Decoupling: Systems can evolve without tightly coupling to specific classes.
  • Testability: Ease of testing by mocking interfaces rather than concrete classes.

interfaces in C# enable polymorphic behavior, which is instrumental in creating flexible and maintainable code. It allows an object of a derived class to be treated as an object of a base class at runtime, leading to dynamic method invocation.

Interfaces vs Abstract Classes

In C#, interfaces and abstract classes serve as blueprints for other classes. While they have similarities, they are fundamentally different in their intended use and capabilities.

Interfaces are contracts that define a set of methods and properties that implementing classes must provide. Interfaces encapsulate the “what” without concerning the “how”. They are used when different classes may share a common set of behaviors but do not necessarily share a common ancestry.

Abstract classes, on the other hand, provide both the “what” and the “how” to some extent. They can define abstract members that must be implemented by derived classes, as well as providing implementation details for methods. Abstract classes allow for base functionality to be defined and potentially reused.

Below is a comparison:

FeatureInterfaceAbstract Class
Default ImplementationNo default method implementation.Can provide default method implementation.
InheritanceA class can implement multiple interfaces.A class can inherit from only one abstract class.
Member TypesOnly methods, properties, events, and indexers.Can include fields, constructors, and destructors.
Access ModifiersMembers of an interface are implicitly public.Members can have varying access levels.
StateCannot hold a state (no fields).Can hold a state (fields are allowed).

In practical application, an interface might be used for a set of actions like IDatabaseActions with methods like Connect(), Disconnect(), Read(), and Write(). An abstract class, such as Database, might provide basic connection functionality but leave the specifics of Read() and Write() to be defined by subclasses specific to different database systems.

Conclusion

Interfaces in C# play a pivotal role in fostering a clean, organized, and scalable codebase. They enable developers to define contracts that classes can implement, ensuring a consistent approach to problem-solving. Through interfaces, developers gain the flexibility to create systems that are more maintainable and adaptable to change.

Implementing interfaces leads to:

  • Enhanced code reliability: By adhering to defined contracts.
  • Flexibility in development: Allowing for changes without affecting dependent code.
  • Consistency across implementations: Standardizing functionality across classes.

In this C# tutorial, I have explained what is an interface in C# and then how to implement an interface in C# with examples.

You may also like: