使用Enumerable.OfType <t>()或LINQ </t>查找特定类型的所有子控件

时间:2010-02-05 19:36:41

标签: c# .net asp.net linq findcontrol

现有MyControl1.Controls.OfType<RadioButton>()仅通过初始收集进行搜索,不会进入儿童。

是否可以使用Enumerable.OfType<T>()LINQ查找特定类型的所有子控件而无需编写自己的递归方法?与this一样。

3 个答案:

答案 0 :(得分:40)

我使用扩展方法展平控件层次结构,然后应用过滤器,以便使用自己的递归方法。

该方法如下所示

public static IEnumerable<Control> FlattenChildren(this Control control)
{
  var children = control.Controls.Cast<Control>();
  return children.SelectMany(c => FlattenChildren(c)).Concat(children);
}

答案 1 :(得分:1)

要改进上述答案,将返回类型更改为

是有意义的
//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>();
}

答案 2 :(得分:1)

我使用这种通用的递归方法:

这种方法的假设是,如果控件是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;
}