现有MyControl1.Controls.OfType<RadioButton>()
搜索仅通过初始收集,不进入子级。
Enumerable.OfType<T>()
是否可以使用或LINQ
不编写自己的递归方法来查找特定类型的所有子控件?像这样。
我使用扩展方法来展平控件层次结构,然后应用过滤器,因此使用了自己的递归方法。
该方法看起来像这样
public static IEnumerable<Control> FlattenChildren(this Control control)
{
var children = control.Controls.Cast<Control>();
return children.SelectMany(c => FlattenChildren(c)).Concat(children);
}
为了改进上述答案,将返回类型更改为
//Returns all controls of a certain type in all levels:
public static IEnumerable<TheControlType> AllControls<TheControlType>( this Control theStartControl ) where TheControlType : Control
{
var controlsInThisLevel = theStartControl.Controls.Cast<Control>();
return controlsInThisLevel.SelectMany( AllControls<TheControlType> ).Concat( controlsInThisLevel.OfType<TheControlType>() );
}
//(Another way) Returns all controls of a certain type in all levels, integrity derivation:
public static IEnumerable<TheControlType> AllControlsOfType<TheControlType>( this Control theStartControl ) where TheControlType : Control
{
return theStartControl.AllControls().OfType<TheControlType>();
}
我使用这种通用递归方法:
此方法的假设是,如果控件为 T,则该方法不会查看其子项。如果您还需要查看它的孩子,您可以轻松地相应地更改它。
public static IList<T> GetAllControlsRecusrvive<T>(Control control) where T :Control
{
var rtn = new List<T>();
foreach (Control item in control.Controls)
{
var ctr = item as T;
if (ctr!=null)
{
rtn.Add(ctr);
}
else
{
rtn.AddRange(GetAllControlsRecusrvive<T>(item));
}
}
return rtn;
}