精品熟女碰碰人人a久久,多姿,欧美欧美a v日韩中文字幕,日本福利片秋霞国产午夜,欧美成人禁片在线观看

C# 接口 Interface

c# 接口 interface

接口定義了所有類繼承接口時應遵循的語法合同。接口定義了語法合同 "是什么" 部分,派生類定義了語法合同 "怎么做" 部分。

接口定義了屬性、方法和事件,這些都是接口的成員。接口只包含了成員的聲明。成員的定義是派生類的責任。接口提供了派生類應遵循的標準結構。

接口使得實現接口的類或結構在形式上保持一致。

抽象類在某種程度上與接口類似,但是,它們大多只是用在當只有少數方法由基類聲明由派生類實現時。

接口本身并不實現任何功能,它只是和聲明實現該接口的對象訂立一個必須實現哪些行為的契約。

抽象類不能直接范例化,但允許派生出具體的,具有實際功能的類。

 

1. 定義接口: myinterface.cs

接口使用 interface 關鍵字聲明,它與類的聲明類似。接口聲明默認是 public 的。下面是一個接口聲明的范例:

interface imyinterface
{
? ? void methodtoimplement();
}

以上代碼定義了接口 imyinterface。通常接口命令以 i 字母開頭,這個接口只有一個方法 methodtoimplement(),沒有參數和返回值,當然我們可以按照需求設置參數和返回值。

值得注意的是,該方法并沒有具體的實現。

接下來我們來實現以上接口:interfaceimplementer.cs

using system;

interface imyinterface
{
? ? ? ? // 接口成員
? ? void methodtoimplement();
}

class interfaceimplementer : imyinterface
{
? ? static void main()
? ? {
? ? ? ? interfaceimplementer iimp = new interfaceimplementer();
? ? ? ? iimp.methodtoimplement();
? ? }

? ? public void methodtoimplement()
? ? {
? ? ? ? console.writeline("methodtoimplement() called.");
? ? }
}

interfaceimplementer 類實現了 imyinterface 接口,接口的實現與類的繼承語法格式類似:

class interfaceimplementer : imyinterface

繼承接口后,我們需要實現接口的方法 methodtoimplement() , 方法名必須與接口定義的方法名一致。

 

2. 接口繼承: interfaceinheritance.cs

以下范例定義了兩個接口 imyinterface 和 iparentinterface。

如果一個接口繼承其他接口,那么實現類或結構就需要實現所有接口的成員。

以下范例 imyinterface 繼承了 iparentinterface 接口,因此接口實現類必須實現 methodtoimplement() 和 parentinterfacemethod() 方法:

 using system;

interface iparentinterface
{
? ? void parentinterfacemethod();
}

interface imyinterface : iparentinterface
{
? ? void methodtoimplement();
}

class interfaceimplementer : imyinterface
{
? ? static void main()
? ? {
? ? ? ? interfaceimplementer iimp = new interfaceimplementer();
? ? ? ? iimp.methodtoimplement();
? ? ? ? iimp.parentinterfacemethod();
? ? }

? ? public void methodtoimplement()
? ? {
? ? ? ? console.writeline("methodtoimplement() called.");
? ? }

? ? public void parentinterfacemethod()
? ? {
? ? ? ? console.writeline("parentinterfacemethod() called.");
? ? }
}

范例輸出結果為:

methodtoimplement() called.
parentinterfacemethod() called.

下一節:c# 命名空間 namespace

c# 教程

相關文章