C#索引器
索引器允許一個對象被索引就像數組。當定義類中的索引,這個類的行為就像一個虛擬數組。然後,您可以使用數組訪問運算符([])來訪問該類的實例 ([ ]).
Syntax
一維索引器的語法如下:
element-type this[int index] { // The get accessor. get { // return the value specified by index } // The set accessor. set { // set the value specified by index } }
利用索引器
聲明索引器行為類似於屬性關係。就像屬性,可以使用get和set訪問定義的索引器。但是屬性返回或設置一個特定的數據成員,而索引器返回或設置由對象實例特定值。換句話說,它將中斷實例數據成較小的部分和索引每個部分,獲取或設置每個部分。
定義一個屬性包括提供屬性名稱。索引不與名稱定義,但使用此關鍵字,它指的是對象實例。下麵的例子演示了這一概念:
using System; namespace IndexerApplication { class IndexedNames { private string[] namelist = new string[size]; static public int size = 10; public IndexedNames() { for (int i = 0; i < size; i++) namelist[i] = "N. A."; } public string this[int index] { get { string tmp; if( index >= 0 && index <= size-1 ) { tmp = namelist[index]; } else { tmp = ""; } return ( tmp ); } set { if( index >= 0 && index <= size-1 ) { namelist[index] = value; } } } static void Main(string[] args) { IndexedNames names = new IndexedNames(); names[0] = "Zara"; names[1] = "Riz"; names[2] = "Nuha"; names[3] = "Asif"; names[4] = "Davinder"; names[5] = "Sunil"; names[6] = "Rubic"; for ( int i = 0; i < IndexedNames.size; i++ ) { Console.WriteLine(names[i]); } Console.ReadKey(); } } }
讓我們編譯和運行上麵的程序,這將產生以下結果:
Zara Riz Nuha Asif Davinder Sunil Rubic N. A. N. A. N. A.
重載索引器
索引器可以被重載。索引也可以與多個參數中聲明和每個參數可以是不同的類型。索引必須是整數這是冇有必要的。 C#允許索引是其它類型的,例如,一個字符串。
下麵的示例演示重載索引:
using System; namespace IndexerApplication { class IndexedNames { private string[] namelist = new string[size]; static public int size = 10; public IndexedNames() { for (int i = 0; i < size; i++) { namelist[i] = "N. A."; } } public string this[int index] { get { string tmp; if( index >= 0 && index <= size-1 ) { tmp = namelist[index]; } else { tmp = ""; } return ( tmp ); } set { if( index >= 0 && index <= size-1 ) { namelist[index] = value; } } } public int this[string name] { get { int index = 0; while(index < size) { if (namelist[index] == name) { return index; } index++; } return index; } } static void Main(string[] args) { IndexedNames names = new IndexedNames(); names[0] = "Zara"; names[1] = "Riz"; names[2] = "Nuha"; names[3] = "Asif"; names[4] = "Davinder"; names[5] = "Sunil"; names[6] = "Rubic"; //using the first indexer with int parameter for (int i = 0; i < IndexedNames.size; i++) { Console.WriteLine(names[i]); } //using the second indexer with the string parameter Console.WriteLine(names["Nuha"]); Console.ReadKey(); } } }
讓我們編譯和運行上麵的程序,這將產生以下結果:
Zara Riz Nuha Asif Davinder Sunil Rubic N. A. N. A. N. A. 2