How do you handle HTTP server health checks in Go?

In Go, you can handle HTTP server health checks by implementing a handler function that returns an HTTP status code indicating the health of the server. One common approach is to use the "/health" endpoint to indicate the health of the server. This endpoint can be accessed by the monitoring system to check the status of the server.
Server Health Check
Here's an example of implementing a health check endpoint in Go.

Example

package main

import (
    "fmt"
    "net/http"
)

func main() {
    http.HandleFunc("/health", healthCheckHandler)
    http.ListenAndServe(":8080", nil)
}

func healthCheckHandler(w http.ResponseWriter, r *http.Request) {
    w.WriteHeader(http.StatusOK)
    fmt.Fprintf(w, "Server is healthy")
}

In this example, we define a handler function named healthCheckHandler that simply returns an HTTP status code of 200 (OK) along with a message indicating that the server is healthy. We then register this handler function to the "/health" endpoint using the http.HandleFunc method, and start the server using the http.ListenAndServe method.

When the monitoring system sends a GET request to the "/health" endpoint, it will receive a response with an HTTP status code of 200 and the message "Server is healthy". This indicates that the server is running and is healthy. If the server is not healthy, we can return a different HTTP status code, such as 500 (Internal Server Error), to indicate that there is a problem with the server.


Most Helpful This Week