• Observability:使用 OpenTelemetry 手动检测 Go 应用程序


    作者:Luca Wintergerst

    DevOps 和 SRE 团队正在改变软件开发的流程。 DevOps 工程师专注于高效的软件应用程序和服务交付,而 SRE 团队是确保可靠性、可扩展性和性能的关键。 这些团队必须依赖全栈可观察性解决方案,使他们能够管理和监控系统,并确保问题在影响业务之前得到解决。

    整个现代分布式应用程序堆栈的可观察性需要通常以仪表板的形式收集、处理和关联数据。 摄取所有系统数据需要跨堆栈、框架和提供程序安装代理,对于必须处理版本更改、兼容性问题和不随系统更改而扩展的专有代码的团队来说,这个过程可能具有挑战性且耗时。

    得益于 OpenTelemetry (OTel),DevOps 和 SRE 团队现在拥有一种标准方法来收集和发送数据,该方法不依赖于专有代码,并且拥有大型社区支持,减少了供应商锁定。

    在这篇博文中,我们将向你展示如何使用 OpenTelemetry 手动检测 Go 应用程序。 这种方法比使用自动检测稍微复杂一些

    之前的博客中,我们还回顾了如何使用 OpenTelemetry 演示并将其连接到 Elastic®,以及 Elastic 与 OpenTelemetry 的一些功能。 在本博客中,我们将使用另一个演示应用程序,它有助于以简单的方式突出显示手动检测。

    最后,我们将讨论 Elastic 如何支持与 Elastic 和 OpenTelemetry 代理一起运行的混合模式应用程序。 这样做的好处是不需要 otel-collector! 此设置你你能够根据最适合你业务的时间表,缓慢而轻松地将应用程序迁移到使用 Elastic 的 OTel。

    应用程序、先决条件和配置

    我们在这个博客中使用的应用程序称为 Elastiflix,一个电影流应用程序。 它由多个用 .NET、NodeJS、Go 和 Python 编写的微服务组成。

    在我们检测示例应用程序之前,我们首先需要了解 Elastic 如何接收遥测数据。

    OpenTelemetry 的 Elastic 配置选项

    Elastic Observability 的所有 APM 功能均可通过 OTel 数据使用。 其中一些包括:

    • Service maps
    • 服务详细信息(延迟、吞吐量、失败的 transactions)
    • 服务之间的依赖关系、分布式追踪
    • transactions(跟踪)
    • 机器学习 (ML) 相关性
    • Log 相关性

    除了 Elastic 的 APM 和遥测数据的统一视图之外,你还可以使用 Elastic 强大的机器学习功能来减少分析,并发出警报以帮助降低 MTTR。

    先决条件

    查看示例源代码

    完整的源代码(包括本博客中使用的 Dockerfile)可以在 GitHub 上找到。 该存储库还包含相同的应用程序,但没有检测。 这使你可以比较每个文件并查看差异。

    在开始之前,让我们先看一下未检测的代码。

    这是我们可以接收 GET 请求的简单 go 应用程序。 请注意,此处显示的代码是稍微缩写的版本。

    1. package main
    2. import (
    3. "log"
    4. "net/http"
    5. "os"
    6. "time"
    7. "github.com/go-redis/redis/v8"
    8. "github.com/sirupsen/logrus"
    9. "github.com/gin-gonic/gin"
    10. "strconv"
    11. "math/rand"
    12. )
    13. var logger = &logrus.Logger{
    14. Out: os.Stderr,
    15. Hooks: make(logrus.LevelHooks),
    16. Level: logrus.InfoLevel,
    17. Formatter: &logrus.JSONFormatter{
    18. FieldMap: logrus.FieldMap{
    19. logrus.FieldKeyTime: "@timestamp",
    20. logrus.FieldKeyLevel: "log.level",
    21. logrus.FieldKeyMsg: "message",
    22. logrus.FieldKeyFunc: "function.name", // non-ECS
    23. },
    24. TimestampFormat: time.RFC3339Nano,
    25. },
    26. }
    27. func main() {
    28. delayTime, _ := strconv.Atoi(os.Getenv("TOGGLE_SERVICE_DELAY"))
    29. redisHost := os.Getenv("REDIS_HOST")
    30. if redisHost == "" {
    31. redisHost = "localhost"
    32. }
    33. redisPort := os.Getenv("REDIS_PORT")
    34. if redisPort == "" {
    35. redisPort = "6379"
    36. }
    37. applicationPort := os.Getenv("APPLICATION_PORT")
    38. if applicationPort == "" {
    39. applicationPort = "5000"
    40. }
    41. // Initialize Redis client
    42. rdb := redis.NewClient(&redis.Options{
    43. Addr: redisHost + ":" + redisPort,
    44. Password: "",
    45. DB: 0,
    46. })
    47. // Initialize router
    48. r := gin.New()
    49. r.Use(logrusMiddleware)
    50. r.GET("/favorites", func(c *gin.Context) {
    51. // artificial sleep for delayTime
    52. time.Sleep(time.Duration(delayTime) * time.Millisecond)
    53. userID := c.Query("user_id")
    54. contextLogger(c).Infof("Getting favorites for user %q", userID)
    55. favorites, err := rdb.SMembers(c.Request.Context(), userID).Result()
    56. if err != nil {
    57. contextLogger(c).Error("Failed to get favorites for user %q", userID)
    58. c.String(http.StatusInternalServerError, "Failed to get favorites")
    59. return
    60. }
    61. contextLogger(c).Infof("User %q has favorites %q", userID, favorites)
    62. c.JSON(http.StatusOK, gin.H{
    63. "favorites": favorites,
    64. })
    65. })
    66. // Start server
    67. logger.Infof("App startup")
    68. log.Fatal(http.ListenAndServe(":"+applicationPort, r))
    69. logger.Infof("App stopped")
    70. }

    分步指南

    步骤 0. 登录你的 Elastic Cloud 帐户

    本博客假设你有 Elastic Cloud 帐户 - 如果没有,请按照说明开始使用 Elastic Cloud

    步骤 1. 安装并初始化 OpenTelemetry

    第一步,我们需要向应用程序添加一些额外的包。

    1. import (
    2. "github.com/go-redis/redis/extra/redisotel/v8"
    3. "go.opentelemetry.io/otel"
    4. "go.opentelemetry.io/otel/attribute"
    5. "go.opentelemetry.io/otel/exporters/otlp/otlptrace"
    6. "go.opentelemetry.io/otel/exporters/otlp/otlptrace/otlptracegrpc"
    7. "go.opentelemetry.io/otel/propagation"
    8. "google.golang.org/grpc/credentials"
    9. "crypto/tls"
    10. sdktrace "go.opentelemetry.io/otel/sdk/trace"
    11. "go.opentelemetry.io/contrib/instrumentation/github.com/gin-gonic/gin/otelgin"
    12. "go.opentelemetry.io/otel/trace"
    13. "go.opentelemetry.io/otel/codes"
    14. )

    此代码导入必要的 OpenTelemetry 包,包括用于跟踪、导出和检测特定库(如 Redis)的包。

    接下来我们读取 OTEL_EXPORTER_OTLP_ENDPOINT 变量并初始化导出器。

    1. var (
    2. collectorURL = os.Getenv("OTEL_EXPORTER_OTLP_ENDPOINT")
    3. )
    4. var tracer trace.Tracer
    5. func initTracer() func(context.Context) error {
    6. tracer = otel.Tracer("go-favorite-otel-manual")
    7. // remove https:// from the collector URL if it exists
    8. collectorURL = strings.Replace(collectorURL, "https://", "", 1)
    9. secretToken := os.Getenv("ELASTIC_APM_SECRET_TOKEN")
    10. if secretToken == "" {
    11. log.Fatal("ELASTIC_APM_SECRET_TOKEN is required")
    12. }
    13. secureOption := otlptracegrpc.WithInsecure()
    14. exporter, err := otlptrace.New(
    15. context.Background(),
    16. otlptracegrpc.NewClient(
    17. secureOption,
    18. otlptracegrpc.WithEndpoint(collectorURL),
    19. otlptracegrpc.WithHeaders(map[string]string{
    20. "Authorization": "Bearer " + secretToken,
    21. }),
    22. otlptracegrpc.WithTLSCredentials(credentials.NewTLS(&tls.Config{})),
    23. ),
    24. )
    25. if err != nil {
    26. log.Fatal(err)
    27. }
    28. otel.SetTracerProvider(
    29. sdktrace.NewTracerProvider(
    30. sdktrace.WithSampler(sdktrace.AlwaysSample()),
    31. sdktrace.WithBatcher(exporter),
    32. ),
    33. )
    34. otel.SetTextMapPropagator(
    35. propagation.NewCompositeTextMapPropagator(
    36. propagation.Baggage{},
    37. propagation.TraceContext{},
    38. ),
    39. )
    40. return exporter.Shutdown
    41. }

    为了检测到 Redis 的连接,我们将向其添加一个跟踪钩子(hook),为了检测 Gin,我们将添加 OTel 中间件。 这将自动捕获与我们的应用程序的所有交互,因为 Gin 将被完全检测。 此外,所有到 Redis 的传出连接也将被检测。

    1. // Initialize Redis client
    2. rdb := redis.NewClient(&redis.Options{
    3. Addr: redisHost + ":" + redisPort,
    4. Password: "",
    5. DB: 0,
    6. })
    7. rdb.AddHook(redisotel.NewTracingHook())
    8. // Initialize router
    9. r := gin.New()
    10. r.Use(logrusMiddleware)
    11. r.Use(otelgin.Middleware("go-favorite-otel-manual"))

    添加自定义 span

    现在我们已经添加并初始化了所有内容,我们可以添加自定义跨度。

    如果我们想为应用程序的一部分提供额外的检测,我们只需启动一个自定义 span,然后推迟结束该 span。

    1. // start otel span
    2. ctx := c.Request.Context()
    3. ctx, span := tracer.Start(ctx, "add_favorite_movies")
    4. defer span.End()

    为了进行比较,这是我们示例应用程序的检测代码。 你可以在 GitHub 上找到完整的源代码。

    1. package main
    2. import (
    3. "log"
    4. "net/http"
    5. "os"
    6. "time"
    7. "context"
    8. "github.com/go-redis/redis/v8"
    9. "github.com/go-redis/redis/extra/redisotel/v8"
    10. "github.com/sirupsen/logrus"
    11. "github.com/gin-gonic/gin"
    12. "go.opentelemetry.io/otel"
    13. "go.opentelemetry.io/otel/attribute"
    14. "go.opentelemetry.io/otel/exporters/otlp/otlptrace"
    15. "go.opentelemetry.io/otel/exporters/otlp/otlptrace/otlptracegrpc"
    16. "go.opentelemetry.io/otel/propagation"
    17. "google.golang.org/grpc/credentials"
    18. "crypto/tls"
    19. sdktrace "go.opentelemetry.io/otel/sdk/trace"
    20. "go.opentelemetry.io/contrib/instrumentation/github.com/gin-gonic/gin/otelgin"
    21. "go.opentelemetry.io/otel/trace"
    22. "strings"
    23. "strconv"
    24. "math/rand"
    25. "go.opentelemetry.io/otel/codes"
    26. )
    27. var tracer trace.Tracer
    28. func initTracer() func(context.Context) error {
    29. tracer = otel.Tracer("go-favorite-otel-manual")
    30. collectorURL = strings.Replace(collectorURL, "https://", "", 1)
    31. secureOption := otlptracegrpc.WithInsecure()
    32. // split otlpHeaders by comma and convert to map
    33. headers := make(map[string]string)
    34. for _, header := range strings.Split(otlpHeaders, ",") {
    35. headerParts := strings.Split(header, "=")
    36. if len(headerParts) == 2 {
    37. headers[headerParts[0]] = headerParts[1]
    38. }
    39. }
    40. exporter, err := otlptrace.New(
    41. context.Background(),
    42. otlptracegrpc.NewClient(
    43. secureOption,
    44. otlptracegrpc.WithEndpoint(collectorURL),
    45. otlptracegrpc.WithHeaders(headers),
    46. otlptracegrpc.WithTLSCredentials(credentials.NewTLS(&tls.Config{})),
    47. ),
    48. )
    49. if err != nil {
    50. log.Fatal(err)
    51. }
    52. otel.SetTracerProvider(
    53. sdktrace.NewTracerProvider(
    54. sdktrace.WithSampler(sdktrace.AlwaysSample()),
    55. sdktrace.WithBatcher(exporter),
    56. //sdktrace.WithResource(resources),
    57. ),
    58. )
    59. otel.SetTextMapPropagator(
    60. propagation.NewCompositeTextMapPropagator(
    61. propagation.Baggage{},
    62. propagation.TraceContext{},
    63. ),
    64. )
    65. return exporter.Shutdown
    66. }
    67. var (
    68. collectorURL = os.Getenv("OTEL_EXPORTER_OTLP_ENDPOINT")
    69. otlpHeaders = os.Getenv("OTEL_EXPORTER_OTLP_HEADERS")
    70. )
    71. var logger = &logrus.Logger{
    72. Out: os.Stderr,
    73. Hooks: make(logrus.LevelHooks),
    74. Level: logrus.InfoLevel,
    75. Formatter: &logrus.JSONFormatter{
    76. FieldMap: logrus.FieldMap{
    77. logrus.FieldKeyTime: "@timestamp",
    78. logrus.FieldKeyLevel: "log.level",
    79. logrus.FieldKeyMsg: "message",
    80. logrus.FieldKeyFunc: "function.name", // non-ECS
    81. },
    82. TimestampFormat: time.RFC3339Nano,
    83. },
    84. }
    85. func main() {
    86. cleanup := initTracer()
    87. defer cleanup(context.Background())
    88. redisHost := os.Getenv("REDIS_HOST")
    89. if redisHost == "" {
    90. redisHost = "localhost"
    91. }
    92. redisPort := os.Getenv("REDIS_PORT")
    93. if redisPort == "" {
    94. redisPort = "6379"
    95. }
    96. applicationPort := os.Getenv("APPLICATION_PORT")
    97. if applicationPort == "" {
    98. applicationPort = "5000"
    99. }
    100. // Initialize Redis client
    101. rdb := redis.NewClient(&redis.Options{
    102. Addr: redisHost + ":" + redisPort,
    103. Password: "",
    104. DB: 0,
    105. })
    106. rdb.AddHook(redisotel.NewTracingHook())
    107. // Initialize router
    108. r := gin.New()
    109. r.Use(logrusMiddleware)
    110. r.Use(otelgin.Middleware("go-favorite-otel-manual"))
    111. // Define routes
    112. r.GET("/", func(c *gin.Context) {
    113. contextLogger(c).Infof("Main request successful")
    114. c.String(http.StatusOK, "Hello World!")
    115. })
    116. r.GET("/favorites", func(c *gin.Context) {
    117. // artificial sleep for delayTime
    118. time.Sleep(time.Duration(delayTime) * time.Millisecond)
    119. userID := c.Query("user_id")
    120. contextLogger(c).Infof("Getting favorites for user %q", userID)
    121. favorites, err := rdb.SMembers(c.Request.Context(), userID).Result()
    122. if err != nil {
    123. contextLogger(c).Error("Failed to get favorites for user %q", userID)
    124. c.String(http.StatusInternalServerError, "Failed to get favorites")
    125. return
    126. }
    127. contextLogger(c).Infof("User %q has favorites %q", userID, favorites)
    128. c.JSON(http.StatusOK, gin.H{
    129. "favorites": favorites,
    130. })
    131. })
    132. // Start server
    133. logger.Infof("App startup")
    134. log.Fatal(http.ListenAndServe(":"+applicationPort, r))
    135. logger.Infof("App stopped")
    136. }

    步骤 2. 使用环境变量运行 Docker 镜像

    正如 OTEL 文档中所指定的,我们将使用环境变量并传入 APM 代理配置部分中找到的配置值。

    由于 Elastic 本身接受 OTLP,因此我们只需要提供 OTEL Exporter 需要发送数据的端点和身份验证,以及一些其他环境变量。

    在 Elastic Cloud 和 Kibana® 中从哪里获取这些变量

    你可以从路径 /app/home#/tutorial/apm 下的 Kibana 复制端点和 token。

    你需要复制 OTEL_EXPORTER_OTLP_ENDPOINT 以及 OTEL_EXPORTER_OTLP_HEADERS。

    构建镜像

    docker build -t  go-otel-manual-image .

    运行镜像

    1. docker run \
    2. -e OTEL_EXPORTER_OTLP_ENDPOINT="" \
    3. -e OTEL_EXPORTER_OTLP_HEADERS="Authorization=Bearer " \
    4. -e OTEL_RESOURCE_ATTRIBUTES="service.version=1.0,deployment.environment=production,service.name=go-favorite-otel-manual" \
    5. -p 5000:5000 \
    6. go-otel-manual-image

    你现在可以发出一些请求来生成跟踪数据。 请注意,这些请求预计会返回错误,因为此服务依赖于你当前未运行的 Redis 连接。 如前所述,你可以在此处找到使用 Docker compose 的更完整示例。

    1. curl localhost:500/favorites
    2. # or alternatively issue a request every second
    3. while true; do curl "localhost:5000/favorites"; sleep 1; done;

    跟踪如何显示在 Elastic 中?

    现在该服务已完成检测,在查看 Node.js 服务的 transaction 部分时,你应该会在 Elastic APM 中看到以下输出:

    结论

    在这篇博客中,我们讨论了以下内容:

    • 如何使用 OpenTelemetry 手动检测 Go
    • 如何正确初始化 OpenTelemetry 并添加自定义范围
    • 如何使用 Elastic 轻松设置 OTLP ENDPOINT 和 OTLP HEADERS,而不需要收集器

    希望它能够提供一个易于理解的使用 OpenTelemetry 检测 Go 的演练,以及将跟踪发送到 Elastic 是多么容易。

    有关 OpenTelemetry with Elastic 的其他资源:

    开发者资源:


    常规配置和用例资源:

    原文:Manual instrumentation of Go applications with OpenTelemetry | Elastic Blog

  • 相关阅读:
    Kotlin 协程调度切换线程是时候解开真相了
    AIOps在业务运维的最佳应用实践
    使用神经网络实现对天气的预测
    自动驾驶,是“平视”还是“俯视”?
    Mysql主从复制之binlog_group_commit_sync_delay
    C语言开发者的利器:gcc编译命令指南
    Kotlin高仿微信-第8篇-单聊
    JUC——并发编程—第三部分
    java面试——集合HashMap源码理解问题
    2.4G无线麦克风领夹麦一拖二_全双工_杰理JL6976M单芯片方案
  • 原文地址:https://blog.csdn.net/UbuntuTouch/article/details/132883636