3

当我想跨线程更新控件时,我通常会这样做:

this.Invoke((MethodInvoker)delegate { SomeProcedure(); });

建议的方法实际上是为您要更新的特定控件调用调用程序,但 99% 的时间表单(即我的示例中的“this”)和控件将在同一个上创建线程所以为了简单起见,我真的很喜欢这样做。

我在想,如果我只是有一个 PostSharp 方面放在 SomeProcedure 之上,它将把它包装在对我来说是一团糟的声明中,那会很好。

然后去...(哦,是的,第一个可用答案加分 100 分 :)

4

1 回答 1

8

我以前没有在 WinForms 上编写过线程访问,但我已经用 PostSharp + Silverlight 完成了。因此,通过一些谷歌搜索,我会试一试。但不能保证它有效!

[Serializable]
public class OnGuiThreadAttribute : MethodInterceptionAspect
{
    private static Control MainControl;

    //or internal visibility if you prefer
    public static void RegisterMainControl(Control mainControl) 
    {
        MainControl = mainControl;
    }

    public override void OnInvoke(MethodInterceptionArgs eventArgs)
    {
        if (MainControl.InvokeRequired)
            MainControl.BeginInvoke(eventArgs.Proceed);
        else
            eventArgs.Proceed();
    }
}

这个想法是在您的应用程序开始时,使用属性注册您的主/根控件。然后你想确保在主线程上运行的任何方法,只需用[OnGuiThread]. 如果它已经在主线程上,它只是运行该方法。如果不是,它会将方法调用作为委托异步提升到主线程。

编辑:我刚刚发现(为时已晚)您要求对正在使用的目标控件使用特定的调用方法。假设您在控件的子类上装饰实例方法:

[Serializable]
public class OnGuiThreadAttribute : MethodInterceptionAspect
{
    public override void OnInvoke(MethodInterceptionArgs eventArgs)
    {
        //you may want to change this line to more gracefully check 
        //if "Instance" is a Control
        Control targetControl = (Control)eventArgs.Instance;

        if (targetControl.InvokeRequired)
            targetControl.BeginInvoke(eventArgs.Proceed);
        else
            eventArgs.Proceed();
    }
}
于 2012-06-25T03:37:02.900 回答