[英]Can I have a method returning IEnumerator<T> and use it in a foreach loop?
我需要设置表单上每个文本框的高度,其中一些文本框嵌套在其他控件中。 我以为我可以这样做:
private static IEnumerator<TextBox> FindTextBoxes(Control rootControl)
{
foreach (Control control in rootControl.Controls)
{
if (control.Controls.Count > 0)
{
// Recursively search for any TextBoxes within each child control
foreach (TextBox textBox in FindTextBoxes(control))
{
yield return textBox;
}
}
TextBox textBox2 = control as TextBox;
if (textBox2 != null)
{
yield return textBox2;
}
}
}
像这样使用它:
foreach(TextBox textBox in FindTextBoxes(this))
{
textBox.Height = height;
}
但是编译器当然会吐出它的假,因为foreach期望IEnumerable而不是IEnumerator 。
有没有办法在不必使用GetEnumerator()方法创建单独的类的情况下执行此操作?
正如编译器告诉你的那样,你需要将返回类型更改为IEnumerable。 这就是yield return语法的工作原理。
只是为了澄清
private static IEnumerator<TextBox> FindTextBoxes(Control rootControl)
改变为
private static IEnumerable<TextBox> FindTextBoxes(Control rootControl)
这应该是全部:-)
如果返回IEnumerator,则每次调用该方法时它将是一个不同的枚举器对象(就像在每次迭代时重置枚举器一样)。 如果返回IEnumerable,则foreach可以使用yield语句基于该方法进行枚举。
// Generic function that gets all child controls of a certain type,
// returned in a List collection
private static List<T> GetChildTextBoxes<T>(Control ctrl) where T : Control{
List<T> tbs = new List<T>();
foreach (Control c in ctrl.Controls) {
// If c is of type T, add it to the collection
if (c is T) {
tbs.Add((T)c);
}
}
return tbs;
}
private static void SetChildTextBoxesHeight(Control ctrl, int height) {
foreach (TextBox t in GetChildTextBoxes<TextBox>(ctrl)) {
t.Height = height;
}
}
如果给你一个枚举器,并且需要在for-each循环中使用它,你可以使用以下命令来包装它:
static public class enumerationHelper { public class enumeratorHolder<T> { private T theEnumerator; public T GetEnumerator() { return theEnumerator; } public enumeratorHolder(T newEnumerator) { theEnumerator = newEnumerator;} } static enumeratorHolder<T> toEnumerable<T>(T theEnumerator) { return new enumeratorHolder<T>(theEnumerator); } private class IEnumeratorHolder<T>:IEnumerable<T> { private IEnumerator<T> theEnumerator; public IEnumerator<T> GetEnumerator() { return theEnumerator; } System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator() { return theEnumerator; } public IEnumeratorHolder(IEnumerator<T> newEnumerator) { theEnumerator = newEnumerator; } } static IEnumerable<T> toEnumerable<T>(IEnumerator<T> theEnumerator) { return new IEnumeratorHolder<T>(theEnumerator); } }
toEnumerable
方法将接受来自GetEnumerator
c#或vb认为可接受的返回类型的任何内容,并返回可在foreach
使用的内容。 如果参数是IEnumerator<>
则响应将是IEnumerable<T>
,尽管在其上调用GetEnumerator
可能会产生错误的结果。
声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.