Before C# 8, if a class implements an interface and you want to add another method to that interface then you will end up breaking the class that implements the interface because members were abstract, and the class needs to provide an implementation for all the members.
Let's consider the following interface which contains two methods.
private interface ISimpleInterface
{
public void DefaultImplementationMethod()
{
Console.WriteLine("This is a default method implemented in the interface!");
}
public void AnotherMethod();
}
Now we will implement the above interface in two classes.
class A : ISimpleInterface
{
public void AnotherMethod()
{
Console.WriteLine("This is a method implemented in class A.");
}
}
class B : ISimpleInterface
{
public void DefaultImplementationMethod()
{
Console.WriteLine("This is a default method overridden in class B.");
}
public void AnotherMethod()
{
Console.WriteLine("This is another method implemented in class B.");
}
}
The class A
provide implementation only for AnotherMethod()
while the class B
provide implementation for both DefaultImplementationMethod
and AnotherMethod
methods.
Let's call both methods using a class A
object.
ISimpleInterface obj = new A();
obj.DefaultImplementationMethod();
obj.AnotherMethod();
Now you execute the above code you will see the following output.
This is a default method implemented in the interface!
This is a method implemented in class A.
Let's call both methods using a class B
object.
ISimpleInterface obj = new B();
obj.DefaultImplementationMethod();
obj.AnotherMethod();
Now you execute the above code and you will see the following output.
This is a default method overridden in class B.
This is another method implemented in class B.
If you look at the code for class A
, you can see that the interface has a default method, and class A
doesn't know about the default method nor provide the implementation of that interface method. Now if you use the variable of class A
instead of ISimpleInterface
as shown below.
A obj = new A();
obj.DefaultImplementationMethod(); // error
obj.AnotherMethod();
It will produce the compile-time error and it means that the inherited class does not know anything about the default method.