本文介绍了在Azure函数中添加自定义遥测属性的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我有一个Azure函数(V2),其中数据作为JSON通过HTTP主体传入。我希望使用标准的跟踪请求事件将某些JSON数据记录在应用程序洞察中。

到目前为止我尝试的内容:

  • 使用解析正文并向ISupportProperties.Properties添加属性的自定义ITelemetryInitializer。但这有两个缺点:对于每个请求,主体被多次读取和解析(在我的函数中读取一次,在遥测初始值设定项中多次),有时访问主体会引发异常,因为它已被释放(可能在函数调用结束时它超出了范围)。
  • 在我的函数中使用TelemetryClient。但此客户端似乎没有要设置的适当属性:
    • TelemetryClient.Context.GlobalProperties用于全局属性,而不是用于请求范围的属性;
    • TelemetryClient.Context.Properties已过时,我看不出如何使用推荐的ISupportProperties.Properties替换。

理想情况下,我希望使用在函数中解析的数据,并使用该数据初始化遥测数据。

推荐答案

  1. 您可以通过在Activity.CurrentLIKEActivity.Current?.AddTag("my-prop", ExtractPropFromRequest());上添加标记来更新请求遥测属性,而无需任何其他更改,这些标记将显示在请求上。不幸的是,您不会将它们印在痕迹上。

  2. 您还可以在函数中解析请求正文并将其存储在AsyncLocal中。然后在TelemetryInitializer中访问此AsyncLocal

 public class AsyncLocalPropertyTelemetryInitializer : ITelemetryInitializer
 {
   public void Initialize(ITelemetry telemetry)
     {
       if (telemetry is ISupportProperties propTelemetry &&
           Function1.AdditionalContext.Value != null) // you may find a better way to make it work with DI
         {
           propTelemetry.Properties["my-prop"] = Function1.AdditionalContext.Value;
         }
      }
  }


public static class Function
{
    internal static readonly AsyncLocal<string> AdditionalContext = new AsyncLocal<string>();
    [FunctionName("Function1")]
    public static async Task<IActionResult> Run([HttpTrigger(AuthorizationLevel.Function, "get", "post", Route = null)] HttpRequest req, ILogger log)
    {
      AdditionalContext.Value = "something important"; // read the body here
      log.LogInformation("C# HTTP trigger function processed a request.") 
      AdditionalContext.Value = null;
      // ...
    }
  }
}

这篇关于在Azure函数中添加自定义遥测属性的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

11-02 18:50