循环控制

时间:2009-05-15 09:32:52

标签: asp.net controls c#-2.0

在我的代码中,我需要循环遍历GroupBox中的控件,并且仅当它是ComboBox时才处理控件。我正在使用代码:

foreach (System.Windows.Forms.Control grpbxChild in this.gpbx.Controls)
{
    if (grpbxChild.GetType().Name.Trim() == "ComboBox")
    {
        // Process here
    }
}

我的问题是:不是循环遍历所有控件而只处理组合框,而只能从GroupBox中获取组合框?像这样:

foreach (System.Windows.Forms.Control grpbxChild in this.gpbx.Controls.GetControlsOfType(ComboBox))
{
    // Process here
}

5 个答案:

答案 0 :(得分:8)

由于您使用的是C#2.0,因此您运气不佳。你可以自己写一个函数。在C#3.0中你只需要:

foreach (var control in groupBox.Controls.OfType<ComboBox>())
{
    // ...
}

C#2.0解决方案:

public static IEnumerable<T> GetControlsOfType<T>(ControlCollection controls)
    where T : Control
{
    foreach(Control c in controls)
        if (c is T)
            yield return (T)c;
}

你可以使用:

foreach (ComboBox c in GetControlsOfType<ComboBox>(groupBox.Controls))
{
    // ...
}

答案 1 :(得分:2)

Mehrdad非常正确,但是你的语法(即使你使用的是C#2.0)过于复杂。

我发现这更简单:

foreach (Control c in gpBx.Controls) 
{ 
  if (c is ComboBox) 
  { 
    // Do something.
  }
}

答案 2 :(得分:0)

if (!(grpbxChild is System.Windows.Forms.Combobox)) continue;

// do your processing goes here
grpbxChild.Text += " is GroupBox child";

答案 3 :(得分:0)

foreach (System.Windows.Forms.Control grpbxChild in this.gpbx.Controls)
{
    if (grpbxChild is ComboBox)
    {
        // Process here
    }
}

答案 4 :(得分:0)

foreach (Control items in this.Controls.OfType<GroupBox>())
{
    foreach (ComboBox item in items.Controls.OfType<ComboBox>())
    {
        // your processing goes here
    }
}