Sé cómo implementar el IEnumerable no genérico, así:
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();
}
}
}
Sin embargo, también noto que IEnumerable tiene una versión genérica IEnumerable<T>
, pero no puedo entender cómo implementarla.
Si agrego using System.Collections.Generic;
a mis directivas de uso y luego cambio:
class MyObjects : IEnumerable
a:
class MyObjects : IEnumerable<MyObject>
Y luego haga clic derecho IEnumerable<MyObject>
y seleccione Implement Interface => Implement Interface
, Visual Studio agrega útilmente el siguiente bloque de código:
IEnumerator<MyObject> IEnumerable<MyObject>.GetEnumerator()
{
throw new NotImplementedException();
}
Devolver el objeto IEnumerable no genérico del GetEnumerator();
método no funciona esta vez, entonces, ¿qué pongo aquí? La CLI ahora ignora la implementación no genérica y se dirige directamente a la versión genérica cuando intenta enumerar a través de mi matriz durante el ciclo foreach.
this.GetEnumerator()
y simplemente regresarGetEnumerator()
?