一、Foreach只能遍歷一個可枚舉的集合(就是實現了IEnumerable接口)this
二、System.Array類、String類等實現了IEnumerable接口。spa
三、在IEnumerable接口中,包含了一個名爲GetEnumerator的方法: IEnumerator GetEnumerator( );3d
GetEnumerator方法返回一個枚舉器對象(枚舉器對象用於遍歷(可枚舉)集合中的元素),這個枚舉數類實現了IEnumerator接口。code
IEnumerator接口規定了如下屬性和方法:對象
Ⅰ、Object Current {get;}blog
Ⅱ、Bool MoveNext();接口
Ⅲ、 Void Reset();get
四、 使用一個集合的GetEnumerator方法來建立一個枚舉數,而後反覆調用MoveNext方法,並獲取Current屬性的值,就能夠每次在該集合中移動一個元素的位置。這正是foreach語句所作的事情。編譯器
五、一個迭代器塊(iterator block)是一個可以產生有序的值序列的塊。迭代器塊和普通語句塊的區別就是其中出現的一個或多個yield語句。string
六、在迭代器塊中,使用yield關鍵字選擇要在foreach循環中使用的值。其語法以下:
yield return value;
對於迭代器,可使用下面的語句中斷信息返回foreach循環的過程:
yield break;
在遇到迭代器中的這個語句時,迭代器的處理會當即中斷,就像foreach循環使用它同樣。
七、編譯器生成的枚舉數中Reset方法沒有實現。而它是接口須要的方法,所以調用實現時老是拋出System.NotSupportedException異常。
public class DaysOfTheWeek : System.Collections.IEnumerable { string[] m_Days = { "Sun", "Mon", "Tue", "Wed", "Thr", "Fri", "Sat" }; public System.Collections.IEnumerator GetEnumerator() { for (int i = 0; i < m_Days.Length; i++) { yield return m_Days[i]; } } } class TestDaysOfTheWeek { static void Main() { // Create an instance of the collection class DaysOfTheWeek week = new DaysOfTheWeek(); // Iterate with foreach foreach (string day in week) { System.Console.Write(day + " "); }
IEnumerator ee= week.GetEnumerator();
while (ee.MoveNext())
{
Console.WriteLine(ee.Current);
}
}
}
命名迭代器
class Program { static void Main(string[] args) { Class1 c = new Class1(); foreach (int i in c.MaxToMin(1, 2)) { Console.WriteLine(i); } foreach (object i in c.MinToMax) { Console.WriteLine(i.ToString()); } } } class Class1 { // 定義一個命名的迭代器,並能夠提供參數 public IEnumerable MaxToMin(int min, int max) { for (int i = max; i >= min; i--) { yield return i; // 返回元素 } yield return "ktgu"; } // 定義一個迭代器類型的屬性, public IEnumerable MinToMax { //this表示該類實例,由於該類實現了GetEnumerator(),它是可枚舉的 get { yield return this; } } }