C#实现接口的两种方式:显示实现和隐式实现接口
本示例声明一个接口IDimensions
和一个类 Box
,显式实现了接口成员 GetLength
和 GetWidth
。 通过接口实例 dimensions
访问这些成员。
interface IDimensions
{
float GetLength();
float GetWidth();
}
class Box : IDimensions
{
float lengthInches;
float widthInches;
Box(float length, float width)
{
lengthInches = length;
widthInches = width;
}
//显式接口实现没有访问修饰符,因为它不能作为其定义类型的成员进行访问。 而只能在通过接口实例调用时访问。 如果为显式接口实现指定访问修饰符,将收到编译器错误 CS0106。 有关详细信息,请参阅 interface
(C# 参考)。
float IDimensions.GetLength()//接口。函数,这种完全限定名的方式就是显示接口继承
{
return lengthInches;
}
// Explicit interface member implementation:
float IDimensions.GetWidth()
{
return widthInches;
}
static void Main()
{
// Declare a class instance box1:
Box box1 = new Box(30.0f, 20.0f);
// Declare an interface instance dimensions:
IDimensions dimensions = box1;
// The following commented lines would produce compilation
// errors because they try to access an explicitly implemented
// interface member from a class instance:
//System.Console.WriteLine("Length: {0}", box1.GetLength());
//System.Console.WriteLine("Width: {0}", box1.GetWidth());
// Print out the dimensions of the box by calling the methods
// from an instance of the interface:
System.Console.WriteLine("Length: {0}", dimensions.GetLength());
System.Console.WriteLine("Width: {0}", dimensions.GetWidth());
}
}
/* Output:
Length: 30
Width: 20
*/
请注意,注释掉了 Main
方法中以下行,因为它们将产生编译错误。 显式实现的接口成员不能从类实例访问:
//System.Console.WriteLine("Length: {0}", box1.GetLength()); //System.Console.WriteLine("Width: {0}", box1.GetWidth());
另请注意 Main
方法中的以下行成功输出了框的尺寸,因为这些方法是从接口实例调用的:
System.Console.WriteLine("Length: {0}", dimensions.GetLength()); System.Console.WriteLine("Width: {0}", dimensions.GetWidth());
隐式调用方式:
隐式实现接口时,我们有两种方式调用实现接口的方法(GetName()),即:
ICategory category=new Category();
category.GetName();
或
Category category=new Category();
categoty.GetName();
显式调用方式:
ICategory category=new Category();
category.GetName();
从 C# 8.0 开始,你可以为在接口中声明的成员定义一个实现。 如果类从接口继承方法实现,则只能通过接口类型的引用访问该方法。 继承的成员不会显示为公共接口的一部分。 下面的示例定义接口方法的默认实现:
public interface IControl
{
void Paint() => Console.WriteLine("Default Paint method");
}
public class SampleClass : IControl
{
// Paint() is inherited from IControl.
}
下面的示例调用默认实现:
var sample = new SampleClass();
//sample.Paint();// "Paint" isn't accessible.
var control = sample as IControl;
control.Paint();
任何实现 IControl
接口的类都可以重写默认的 Paint
方法,作为公共方法或作为显式接口实现。
结论:
1. 隐式实现接口时,接口和类(实现接口的类)都可以访问类中的方法;
2. 显式实现接口时,只有通过接口来访问类中的方法;显式接口实现没有访问修饰符,因为它不能作为其定义类型的成员进行访问。 而只能在通过接口实例调用时访问。
显式优点:
1.隐藏了实现接口的类的实现代码
总结:
显式实现意味着函数签名上要显式的声明接口. 而显式实现的接口函数, 必须用接口来持有new出来的对象, 这样你在调用方法的时候, 是拿这个接口的定义去执行的, 只能看到这个接口里定义的函数.
对实现这个接口的原对象来说, 其他的非接口里的public函数, 都是不可见的. 对使用者来说, 更加聚焦于对接口的使用, 也从另一方面助推使用者清楚自己是在对一类具有该接口的类型进行的操作, 而不是某个具体类型
从设计和约束的角度讲, 显式的实现接口更加符合设计理念.