如何在子界面中提供默认实现?

How do I provide a default implementation in a child interface?

如果我有接口IExampleInterface:

interface IExampleInterface {
    int GetValue();
}

有没有办法在子界面中为 GetValue() 提供默认实现?即:

interface IExampleInterfaceChild : IExampleInterface {
    // Compiler warns that we're just name hiding here. 
    // Attempting to use 'override' keyword results in compiler error.
    int GetValue() => 123; 
}

在 C# 8.0+ 中,接口可以有一个默认方法:

https://docs.microsoft.com/en-us/dotnet/csharp/whats-new/csharp-8#default-interface-methods

否则,如果由于使用 .Net Framework 而在 C# 上使用较低版本,则可以使用抽象 class。但是如果你希望你的 classes 能够实现多个接口,这个选项可能不适合你:

public abstract class ExampleInterfaceChild : IExampleInterface {
    int GetValue() => 123; 
}

经过多次实验,我找到了以下解决方案:

interface IExampleInterfaceChild : IExampleInterface {
    int IExampleInterface.GetValue() => 123; 
}

使用您为其提供实现的方法的接口的名称是正确的答案(即 IParentInterface.ParentMethodName() => ...)。

我使用以下代码测试了运行时结果:

class ExampleClass : IExampleInterfaceChild {
        
}

class Program {
    static void Main() {
        IExampleInterface e = new ExampleClass();

        Console.WriteLine(e.GetValue()); // Prints '123'
    }
}