我创建了一个PostSharp方面,它应该记录我使用它的任何方法的执行时间。
但是,它似乎没有像我预期的那样工作,sw.ElapsedMilliseconds
总是在0到3毫秒之间。
[Serializable]
[AttributeUsage(AttributeTargets.Method)]
public sealed class PerfLogAttribute : MethodInterceptionAspect
{
public override void OnInvoke(MethodInterceptionArgs args)
{
var sw = new Stopwatch();
sw.Start();
args.Proceed();
sw.Stop();
log.Debug(sw.ElapsedMilliseconds);
}
}
像这样使用它:
[PerfLog]
public async Task<bool> DoSomethingAsync() {
// Adding a delay to test (or call database async)
await Task.Delay(5000);
return true;
}
答案 0 :(得分:1)
正如@Christian.K所说,你只是拦截实例化异步任务的方法,而不是异步任务本身。您也在使用方法拦截,它可以完成工作,但它并不完全是您需要的模式,因为您并不需要拦截方法执行。你只需要包装方法。
您的案例实际上已写在http://doc.postsharp.net/async-methods#apply-to-state-machine的文档中。
剖析方面:
[Serializable]
public class ProfilingAttribute : OnMethodBoundaryAspect
{
public override void OnEntry( MethodExecutionArgs args )
{
Stopwatch sw = Stopwatch.StartNew();
args.MethodExecutionTag = sw;
}
public override void OnExit( MethodExecutionArgs args )
{
Stopwatch sw = (Stopwatch) args.MethodExecutionTag;
sw.Stop();
Console.WriteLine( "Method {0} executed for {1}ms.",
args.Method.Name, sw.ElapsedMilliseconds );
}
}
应用:
[Profiling( ApplyToStateMachine = true )]
public async Task TestProfiling()
{
await Task.Delay( 1000 );
Thread.Sleep( 1000 );
}
如果您使用Express License,这在PostSharp 4.2中不起作用,但它将在PostSharp 4.3中使用,可在https://www.postsharp.net/downloads/postsharp-4.3下载。
可以在http://samples.postsharp.net/的PostSharp.Samples.Profiling示例中找到有关分析的更多信息。