Implicit And Explicit Interface Implementation In C#

Introduction

An interface in C# is usually used to create loosely coupled and contract-based designs. It can contain signatures (declarations) of the Methods, Properties, Indexers, and Events. The implementation of the methods/properties and so on is done in the class that implements the interface. An interface can inherit one or more interfaces; in other words, it supports multiple inheritance, whereas classes don't.

Implicit interface implementation

This is the most regular or obvious way to implement members of an interface. Here we don't specify the interface name of the members and implement implicitly. The method can be declared at any interface (s) the class implements.

Example

interface ITest
{
    void TestMethod();
}
class TestClass : ITest
{
    public void TestMethod()
    {
        Console.WriteLine("Implicit Interface Implementation");
    }
}

The call of the method is also not different. Just create an object of the class and invoke it.

class Program
{
    static void Main(string[] args)
    {
        TestClass obj = new TestClass();
        obj.TestMethod(); // Way to call implicitly implemented method
    }
}

Output

Explicit interface implementation

This is another way to implement members of an interface. Here we need to specify the; interface name of the members. The following example explains that.

class TestClass : ITest
{
    void ITest.TestMethod()
    {
        Console.WriteLine("Explicit Interface Implementation");
    }
}

The constraint with explicit implementation is that an explicitly implemented member cannot be accessed using a class instance, but only through an instance of the interface. Please have a look at the example below.

class Program
{
    static void Main(string[] args)
    {
        ITest obj2 = new TestClass();
        obj2.TestMethod();
    }
}

Output

I hope you have liked the article. Please share your comments.


Similar Articles