Postsharp AOP MethodInterception Aspect with async

时间:2015-03-25 13:28:19

标签: c# async-await postsharp method-interception

在我的winform程序中,我在每个控件事件上使用Postsharp拦截器类来避免try / catch块重复。

自定义postharp方法:

[Serializable]
public class OnErrorShowMessageBox : MethodInterceptionAspect
{
    public override void OnInvoke(MethodInterceptionArgs args)
    {
        try
        {               
            args.Proceed();
        }
        catch (Exception ex)
        {
            MessageBox.Show(ex.Message, "Erreur", MessageBoxButtons.OK, MessageBoxIcon.Error);
            args.ReturnValue = null;
        }
    }
}

使用这个attributs:

    [OnErrorShowMessageBox]
    private void txtComments_TextChanged(object sender, EventArgs e)
    {
       //blabla
    }

这就像一个魅力,但我知道我想在事件中使用异步。所以txtComments_textChanged变为:

    [OnErrorShowMessageBox]
    private async void txtComments_TextChanged(object sender, EventArgs e)
    {
        await //blabla
    }

这就是问题所在。拦截器方法中的try / catch bloc在异步时不会捕获任何内容... 我能怎么做 ? 感谢

1 个答案:

答案 0 :(得分:3)

首先,如果您需要一个方面来处理异常,那么通常最好将其实现为OnMethodBoundaryAspectOnExceptionAspect。在OnException方法中,您可以将args.FlowBehavior设置为FlowBehavior.Return or FlowBehavior.Continue,以防止抛出异常。

除了提供更好的效果外,通过将ApplyToStateMachine属性设置为true,这些方面也可以applied to async methods。但有一点需要注意 - 使用状态机,无法更改异常流行为。您仍然可以处理异常,但无法阻止它被抛出。

更新。从PostSharp 5.0开始,可以更改异步方法的流行为。

[Serializable]
public class MyAspect : OnExceptionAspect
{
    public MyAspect()
    {
        this.ApplyToStateMachine = true;
    }

    public override void OnException(MethodExecutionArgs args)
    {
        Console.WriteLine("OnException({0});", args.Exception.Message);
    }
}

如果方面不适用于异步方法,则可以显示消息框并忽略该异常,如以下示例所示

更新。从PostSharp 5.0开始,以下示例也适用于异步方法。

[Serializable]
public class MyAspect : OnExceptionAspect
{
    public override void OnException(MethodExecutionArgs args)
    {
        MessageBox.Show(ex.Message, "Erreur", MessageBoxButtons.OK, MessageBoxIcon.Error);
        args.ReturnValue = null;
        args.FlowBehavior = FlowBehavior.Return;
    }
}