gatus/core/service.go

301 lines
9.3 KiB
Go
Raw Normal View History

package core
import (
"bytes"
"crypto/x509"
"encoding/json"
"errors"
"io/ioutil"
"net"
"net/http"
"net/url"
"strings"
"time"
"github.com/TwiN/gatus/v3/alerting/alert"
"github.com/TwiN/gatus/v3/client"
"github.com/TwiN/gatus/v3/core/ui"
"github.com/TwiN/gatus/v3/util"
)
const (
// HostHeader is the name of the header used to specify the host
HostHeader = "Host"
// ContentTypeHeader is the name of the header used to specify the content type
ContentTypeHeader = "Content-Type"
// UserAgentHeader is the name of the header used to specify the request's user agent
UserAgentHeader = "User-Agent"
// GatusUserAgent is the default user agent that Gatus uses to send requests.
GatusUserAgent = "Gatus/1.0"
)
var (
2020-12-24 06:28:44 +01:00
// ErrServiceWithNoCondition is the error with which Gatus will panic if a service is configured with no conditions
2020-10-22 04:56:35 +02:00
ErrServiceWithNoCondition = errors.New("you must specify at least one condition per service")
2020-12-24 06:28:44 +01:00
// ErrServiceWithNoURL is the error with which Gatus will panic if a service is configured with no url
2020-10-23 22:29:20 +02:00
ErrServiceWithNoURL = errors.New("you must specify an url for each service")
2020-10-22 04:56:35 +02:00
2020-12-24 06:28:44 +01:00
// ErrServiceWithNoName is the error with which Gatus will panic if a service is configured with no name
2020-10-22 04:56:35 +02:00
ErrServiceWithNoName = errors.New("you must specify a name for each service")
)
2020-09-01 06:29:17 +02:00
// Service is the configuration of a monitored endpoint
2021-10-01 02:56:09 +02:00
// XXX: Rename this to Endpoint in v4.0.0?
type Service struct {
// Enabled defines whether to enable the service
Enabled *bool `yaml:"enabled,omitempty"`
2020-09-01 06:29:17 +02:00
// Name of the service. Can be anything.
Name string `yaml:"name"`
2020-11-27 00:09:01 +01:00
// Group the service is a part of. Used for grouping multiple services together on the front end.
Group string `yaml:"group,omitempty"`
2020-09-01 06:29:17 +02:00
// URL to send the request to
2020-10-23 22:29:20 +02:00
URL string `yaml:"url"`
2020-09-01 06:29:17 +02:00
2020-11-18 00:55:31 +01:00
// DNS is the configuration of DNS monitoring
DNS *DNS `yaml:"dns,omitempty"`
2020-09-01 06:29:17 +02:00
// Method of the request made to the url of the service
Method string `yaml:"method,omitempty"`
// Body of the request
Body string `yaml:"body,omitempty"`
// GraphQL is whether to wrap the body in a query param ({"query":"$body"})
GraphQL bool `yaml:"graphql,omitempty"`
// Headers of the request
Headers map[string]string `yaml:"headers,omitempty"`
// Interval is the duration to wait between every status check
Interval time.Duration `yaml:"interval,omitempty"`
// Conditions used to determine the health of the service
Conditions []*Condition `yaml:"conditions"`
// Alerts is the alerting configuration for the service in case of failure
Alerts []*alert.Alert `yaml:"alerts"`
2020-08-21 03:11:22 +02:00
2021-07-29 03:41:26 +02:00
// ClientConfig is the configuration of the client used to communicate with the service's target
ClientConfig *client.Config `yaml:"client"`
// UIConfig is the configuration for the UI
UIConfig *ui.Config `yaml:"ui"`
2020-10-22 04:56:35 +02:00
// NumberOfFailuresInARow is the number of unsuccessful evaluations in a row
NumberOfFailuresInARow int
// NumberOfSuccessesInARow is the number of successful evaluations in a row
2020-09-17 01:26:19 +02:00
NumberOfSuccessesInARow int
}
// IsEnabled returns whether the service is enabled or not
func (service Service) IsEnabled() bool {
if service.Enabled == nil {
return true
}
return *service.Enabled
}
// ValidateAndSetDefaults validates the service's configuration and sets the default value of fields that have one
func (service *Service) ValidateAndSetDefaults() error {
// Set default values
2021-07-29 03:41:26 +02:00
if service.ClientConfig == nil {
service.ClientConfig = client.GetDefaultConfig()
} else {
service.ClientConfig.ValidateAndSetDefaults()
}
if service.UIConfig == nil {
service.UIConfig = ui.GetDefaultConfig()
}
if service.Interval == 0 {
2020-09-01 06:25:57 +02:00
service.Interval = 1 * time.Minute
}
if len(service.Method) == 0 {
service.Method = http.MethodGet
}
if len(service.Headers) == 0 {
service.Headers = make(map[string]string)
}
// Automatically add user agent header if there isn't one specified in the service configuration
if _, userAgentHeaderExists := service.Headers[UserAgentHeader]; !userAgentHeaderExists {
service.Headers[UserAgentHeader] = GatusUserAgent
}
// Automatically add "Content-Type: application/json" header if there's no Content-Type set
// and service.GraphQL is set to true
if _, contentTypeHeaderExists := service.Headers[ContentTypeHeader]; !contentTypeHeaderExists && service.GraphQL {
service.Headers[ContentTypeHeader] = "application/json"
}
for _, serviceAlert := range service.Alerts {
if serviceAlert.FailureThreshold <= 0 {
serviceAlert.FailureThreshold = 3
2020-08-22 20:15:08 +02:00
}
if serviceAlert.SuccessThreshold <= 0 {
serviceAlert.SuccessThreshold = 2
2020-09-17 01:26:19 +02:00
}
2020-08-22 20:15:08 +02:00
}
2020-10-22 04:56:35 +02:00
if len(service.Name) == 0 {
return ErrServiceWithNoName
2020-10-22 04:56:35 +02:00
}
2020-10-23 22:29:20 +02:00
if len(service.URL) == 0 {
return ErrServiceWithNoURL
}
if len(service.Conditions) == 0 {
return ErrServiceWithNoCondition
}
2020-11-18 00:55:31 +01:00
if service.DNS != nil {
return service.DNS.validateAndSetDefault()
2020-11-18 00:55:31 +01:00
}
// Make sure that the request can be created
2020-10-23 22:29:20 +02:00
_, err := http.NewRequest(service.Method, service.URL, bytes.NewBuffer([]byte(service.Body)))
if err != nil {
return err
}
return nil
}
// Key returns the unique key for the Service
func (service Service) Key() string {
return util.ConvertGroupAndServiceToKey(service.Group, service.Name)
}
// EvaluateHealth sends a request to the service's URL and evaluates the conditions of the service.
func (service *Service) EvaluateHealth() *Result {
result := &Result{Success: true, Errors: []string{}}
2020-11-20 04:41:30 +01:00
service.getIP(result)
if len(result.Errors) == 0 {
service.call(result)
} else {
result.Success = false
}
for _, condition := range service.Conditions {
success := condition.evaluate(result, service.UIConfig.DontResolveFailedConditions)
if !success {
result.Success = false
}
}
result.Timestamp = time.Now()
// No need to keep the body after the service has been evaluated
result.body = nil
// Clean up parameters that we don't need to keep in the results
if service.UIConfig.HideHostname {
result.Hostname = ""
}
return result
}
2020-10-23 22:29:20 +02:00
func (service *Service) getIP(result *Result) {
2020-11-20 04:41:30 +01:00
if service.DNS != nil {
result.Hostname = strings.TrimSuffix(service.URL, ":53")
} else {
urlObject, err := url.Parse(service.URL)
if err != nil {
2021-06-06 00:50:24 +02:00
result.AddError(err.Error())
2020-11-20 04:41:30 +01:00
return
}
result.Hostname = urlObject.Hostname()
}
2020-11-20 04:41:30 +01:00
ips, err := net.LookupIP(result.Hostname)
if err != nil {
2021-06-06 00:50:24 +02:00
result.AddError(err.Error())
return
}
2020-10-23 22:29:20 +02:00
result.IP = ips[0].String()
}
func (service *Service) call(result *Result) {
var request *http.Request
var response *http.Response
var err error
var certificate *x509.Certificate
2020-11-20 04:41:30 +01:00
isServiceDNS := service.DNS != nil
isServiceTCP := strings.HasPrefix(service.URL, "tcp://")
isServiceICMP := strings.HasPrefix(service.URL, "icmp://")
isServiceStartTLS := strings.HasPrefix(service.URL, "starttls://")
isServiceTLS := strings.HasPrefix(service.URL, "tls://")
isServiceHTTP := !isServiceDNS && !isServiceTCP && !isServiceICMP && !isServiceStartTLS && !isServiceTLS
2020-11-20 04:41:30 +01:00
if isServiceHTTP {
request = service.buildHTTPRequest()
}
startTime := time.Now()
2020-11-20 04:41:30 +01:00
if isServiceDNS {
service.DNS.query(service.URL, result)
result.Duration = time.Since(startTime)
} else if isServiceStartTLS || isServiceTLS {
if isServiceStartTLS {
2021-10-01 02:56:09 +02:00
result.Connected, certificate, err = client.CanPerformStartTLS(strings.TrimPrefix(service.URL, "starttls://"), service.ClientConfig)
} else {
2021-10-08 02:55:15 +02:00
result.Connected, certificate, err = client.CanPerformTLS(strings.TrimPrefix(service.URL, "tls://"), service.ClientConfig)
}
if err != nil {
2021-06-06 00:51:51 +02:00
result.AddError(err.Error())
return
}
result.Duration = time.Since(startTime)
result.CertificateExpiration = time.Until(certificate.NotAfter)
2020-11-20 04:41:30 +01:00
} else if isServiceTCP {
2021-07-29 03:41:26 +02:00
result.Connected = client.CanCreateTCPConnection(strings.TrimPrefix(service.URL, "tcp://"), service.ClientConfig)
result.Duration = time.Since(startTime)
} else if isServiceICMP {
2021-07-29 03:41:26 +02:00
result.Connected, result.Duration = client.Ping(strings.TrimPrefix(service.URL, "icmp://"), service.ClientConfig)
} else {
2021-07-29 03:41:26 +02:00
response, err = client.GetHTTPClient(service.ClientConfig).Do(request)
result.Duration = time.Since(startTime)
if err != nil {
2021-06-06 00:50:24 +02:00
result.AddError(err.Error())
return
}
2021-02-20 02:34:35 +01:00
defer response.Body.Close()
2020-11-17 18:35:21 +01:00
if response.TLS != nil && len(response.TLS.PeerCertificates) > 0 {
certificate = response.TLS.PeerCertificates[0]
2021-02-20 02:34:35 +01:00
result.CertificateExpiration = time.Until(certificate.NotAfter)
}
2020-10-23 22:29:20 +02:00
result.HTTPStatus = response.StatusCode
result.Connected = response.StatusCode > 0
// Only read the body if there's a condition that uses the BodyPlaceholder
if service.needsToReadBody() {
result.body, err = ioutil.ReadAll(response.Body)
if err != nil {
2021-06-06 00:50:24 +02:00
result.AddError(err.Error())
}
}
}
}
2020-11-20 04:41:30 +01:00
func (service *Service) buildHTTPRequest() *http.Request {
var bodyBuffer *bytes.Buffer
if service.GraphQL {
graphQlBody := map[string]string{
"query": service.Body,
}
body, _ := json.Marshal(graphQlBody)
bodyBuffer = bytes.NewBuffer(body)
} else {
bodyBuffer = bytes.NewBuffer([]byte(service.Body))
}
2020-10-23 22:29:20 +02:00
request, _ := http.NewRequest(service.Method, service.URL, bodyBuffer)
for k, v := range service.Headers {
request.Header.Set(k, v)
if k == HostHeader {
request.Host = v
}
}
return request
}
// needsToReadBody checks if there's any conditions that requires the response body to be read
func (service *Service) needsToReadBody() bool {
for _, condition := range service.Conditions {
if condition.hasBodyPlaceholder() {
return true
}
}
return false
}