GUI优化嵌套的foreach

时间:2018-12-17 01:31:55

标签: c# wpf

由于性能低下,任何人都可以在WPF GUI下方协助如何转换为Linq:

foreach (Grid b in main_grid.Children)
{
    foreach (Control s in b.Children)
    {
        if (s.GetType() == typeof(Button))
        {
            if (s.Tag.ToString() == message)
            {
                if (status == "OIRS_INUSE")
                {
                    s.Background = Brushes.Orange;
                }
                else
                {
                    s.Background = defaultBackground;
                }
            }
        }
    }
}

1 个答案:

答案 0 :(得分:2)

首先,您要问错问题。 Linq没有帮助。

加快此循环的一种方法是减少瓶颈的工作量:

foreach (Grid b in main_grid.Children)
{
    foreach (Control s in b.Children)
    {
        if (s.SomeEnumValue == SomeEnum.Value)
        {
            s.Background = Brushes.Orange;
        }
        else
        {
            s.Background = defaultBackground;
        }
    }
}

第一次比较if (s.GetType() == typeof(Button)) is costly

for 100 million calls:

typeof(Test): 2756ms
TestType (field): 1175ms
test.GetType(): 3734ms

您将比简单的字段比较慢5倍以上。

第二次比较if (s.Tag.ToString() == message)和第三次比较status == "OIRS_INUSE" are costly

此外,第二个比较包含一个ToString方法,该方法具有自己的成本。

因此,请摆脱所有这些昂贵的比较,而将其替换为简单的字段比较,例如便宜的枚举。