我知道如何实现非通用 IEnumerable,如下所示:
using System;
using System.Collections;
namespace ConsoleApplication33
{
class Program
{
static void Main(string[] args)
{
MyObjects myObjects = new MyObjects();
myObjects[0] = new MyObject() { Foo = "Hello", Bar = 1 };
myObjects[1] = new MyObject() { Foo = "World", Bar = 2 };
foreach (MyObject x in myObjects)
{
Console.WriteLine(x.Foo);
Console.WriteLine(x.Bar);
}
Console.ReadLine();
}
}
class MyObject
{
public string Foo { get; set; }
public int Bar { get; set; }
}
class MyObjects : IEnumerable
{
ArrayList mylist = new ArrayList();
public MyObject this[int index]
{
get { return (MyObject)mylist[index]; }
set { mylist.Insert(index, value); }
}
IEnumerator IEnumerable.GetEnumerator()
{
return mylist.GetEnumerator();
}
}
}
但是我也注意到 IEnumerable 有一个通用版本,IEnumerable<T>
但我不知道如何实现它。
如果我添加using System.Collections.Generic;
到我的 using 指令,然后更改:
class MyObjects : IEnumerable
到:
class MyObjects : IEnumerable<MyObject>
然后右键单击IEnumerable<MyObject>
并选择Implement Interface => Implement Interface
,Visual Studio 会帮助添加以下代码块:
IEnumerator<MyObject> IEnumerable<MyObject>.GetEnumerator()
{
throw new NotImplementedException();
}
这次从方法中返回非泛型 IEnumerable 对象GetEnumerator();
不起作用,那么我在这里放什么呢?当 CLI 在 foreach 循环期间尝试枚举我的数组时,它现在会忽略非泛型实现并直接使用泛型版本。