类由数据和在此数据上进行操作的方法组成。尽管类的方法表达了行为特征,但是按照更准确的分类,类被认为是东西,而不是行为,这就是需要接口的原因。接口使你能够定义行为特征或能力,并将这些行为应用于类,而不管类层次结构是什么样的。
是不是很难看懂啊


我是初学者,希望大家能多多帮助我

备注 接口可以是命名空间或类的成员,并且可以包含下列成员的签名: 方法 属性 索引器 事件 一个接口可从一个或多个基接口继承。在下例中,接口 IMyInterface 从两个基接口 IBase1 和 IBase2 继承: interface IMyInterface: IBase1, IBase2 { void MethodA(); void MethodB(); } 接口可以由类和结构实现。实现的接口的标识符出现在类的基列表中。例如: class Class1: Iface1, Iface2 { // class members } 类的基列表同时包含基类和接口时,列表中首先出现的是基类。例如: class ClassA: BaseClass, Iface1, Iface2 { // class members } 有关接口的更多信息,请参见接口。 有关属性和索引器的更多信息,请参见属性声明和索引器声明。 示例 下例说明了接口的实现。在此例中,接口 IPoint 包含属性声明,后者负责设置和获取字段的值。MyPoint 类包含属性实现。 // keyword_interface.cs // Interface implementation using System; interface IPoint { // Property signatures: int x { get; set; }
int y { get; set; } }
class MyPoint : IPoint { // Fields: private int myX; private int myY;
// Constructor: public MyPoint(int x, int y) { myX = x; myY = y; }
// Property implementation: public int x { get { return myX; }
set { myX = value; } }
public int y { get { return myY; } set { myY = value; } } }
class MainClass { private static void PrintPoint(IPoint p) { Console.WriteLine("x={0}, y={1}", p.x, p.y); }
public static void Main() { MyPoint p = new MyPoint(2,3); Console.Write("My Point: "); PrintPoint(p); } } 输出 My Point: x=2, y=3
实现接口的类可以显式实现该接口的成员。当显式实现某成员时,不能通过类实例访问该成员,而只能通过该接口的实例访问该成员。本教程包含两个示例。第一个示例阐释如何显式实现和访问接口成员。第二个示例展示如何实现具有相同成员名的两个接口。
本示例声明一个 IDimensions
接口和一个 Box
类,该类显式实现接口成员 Length
和 Width
。通过接口实例 myDimensions
访问这些成员。
// explicit1.csinterface IDimensions { float Length(); float Width();}class Box : IDimensions { float lengthInches; float widthInches; public Box(float length, float width) { lengthInches = length; widthInches = width; } // Explicit interface member implementation: float IDimensions.Length() { return lengthInches; } // Explicit interface member implementation: float IDimensions.Width() { return widthInches; } public static void Main() { // Declare a class instance "myBox": Box myBox = new Box(30.0f, 20.0f); // Declare an interface instance "myDimensions": IDimensions myDimensions = (IDimensions) myBox; // Print out the dimensions of the box: /* 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}", myBox.Length()); //System.Console.WriteLine("Width: {0}", myBox.Width()); /* Print out the dimensions of the box by calling the methods from an instance of the interface: */ System.Console.WriteLine("Length: {0}", myDimensions.Length()); System.Console.WriteLine("Width: {0}", myDimensions.Width()); }}