Improve Prometheus metrics removal
This commit is contained in:
parent
f317e50136
commit
2c18750537
7 changed files with 480 additions and 215 deletions
|
@ -36,25 +36,18 @@ const (
|
||||||
backendServerUpName = metricNamePrefix + "backend_server_up"
|
backendServerUpName = metricNamePrefix + "backend_server_up"
|
||||||
)
|
)
|
||||||
|
|
||||||
const (
|
|
||||||
// generationAgeForever indicates that a metric never gets outdated.
|
|
||||||
generationAgeForever = 0
|
|
||||||
// generationAgeDefault is the default age of three generations.
|
|
||||||
generationAgeDefault = 3
|
|
||||||
)
|
|
||||||
|
|
||||||
// promState holds all metric state internally and acts as the only Collector we register for Prometheus.
|
// promState holds all metric state internally and acts as the only Collector we register for Prometheus.
|
||||||
//
|
//
|
||||||
// This enables control to remove metrics that belong to outdated configuration.
|
// This enables control to remove metrics that belong to outdated configuration.
|
||||||
// As an example why this is required, consider Traefik learns about a new service.
|
// As an example why this is required, consider Traefik learns about a new service.
|
||||||
// It populates the 'traefik_server_backend_up' metric for it with a value of 1 (alive).
|
// It populates the 'traefik_server_backend_up' metric for it with a value of 1 (alive).
|
||||||
// When the backend is undeployed now the metric is still there in the client library
|
// When the backend is undeployed now the metric is still there in the client library
|
||||||
// and will be until Traefik would be restarted.
|
// and will be returned on the metrics endpoint until Traefik would be restarted.
|
||||||
//
|
//
|
||||||
// To solve this problem promState keeps track of configuration generations.
|
// To solve this problem promState keeps track of Traefik's dynamic configuration.
|
||||||
// Every time a new configuration is loaded, the generation is increased by one.
|
// Metrics that "belong" to a dynamic configuration part like backends or entrypoints
|
||||||
// Metrics that "belong" to a dynamic configuration part of Traefik (e.g. backend, entrypoint)
|
// are removed after they were scraped at least once when the corresponding object
|
||||||
// are removed, given they were tracked more than 3 generations ago.
|
// doesn't exist anymore.
|
||||||
var promState = newPrometheusState()
|
var promState = newPrometheusState()
|
||||||
|
|
||||||
// PrometheusHandler exposes Prometheus routes.
|
// PrometheusHandler exposes Prometheus routes.
|
||||||
|
@ -163,40 +156,66 @@ func RegisterPrometheus(config *types.Prometheus) Registry {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// OnConfigurationUpdate increases the current generation of the prometheus state.
|
// OnConfigurationUpdate receives the current configuration from Traefik.
|
||||||
func OnConfigurationUpdate() {
|
// It then converts the configuration to the optimized package internal format
|
||||||
promState.IncGeneration()
|
// and sets it to the promState.
|
||||||
|
func OnConfigurationUpdate(configurations types.Configurations) {
|
||||||
|
dynamicConfig := newDynamicConfig()
|
||||||
|
|
||||||
|
for _, config := range configurations {
|
||||||
|
for _, frontend := range config.Frontends {
|
||||||
|
for _, entrypointName := range frontend.EntryPoints {
|
||||||
|
dynamicConfig.entrypoints[entrypointName] = true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
for backendName, backend := range config.Backends {
|
||||||
|
dynamicConfig.backends[backendName] = make(map[string]bool)
|
||||||
|
for _, server := range backend.Servers {
|
||||||
|
dynamicConfig.backends[backendName][server.URL] = true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
promState.SetDynamicConfig(dynamicConfig)
|
||||||
}
|
}
|
||||||
|
|
||||||
func newPrometheusState() *prometheusState {
|
func newPrometheusState() *prometheusState {
|
||||||
collectors := make(chan *collector)
|
|
||||||
state := make(map[string]*collector)
|
|
||||||
|
|
||||||
return &prometheusState{
|
return &prometheusState{
|
||||||
collectors: collectors,
|
collectors: make(chan *collector),
|
||||||
state: state,
|
dynamicConfig: newDynamicConfig(),
|
||||||
|
state: make(map[string]*collector),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
type prometheusState struct {
|
type prometheusState struct {
|
||||||
currentGeneration int
|
collectors chan *collector
|
||||||
collectors chan *collector
|
describers []func(ch chan<- *stdprometheus.Desc)
|
||||||
describers []func(ch chan<- *stdprometheus.Desc)
|
|
||||||
|
|
||||||
mtx sync.Mutex
|
mtx sync.Mutex
|
||||||
state map[string]*collector
|
dynamicConfig *dynamicConfig
|
||||||
|
state map[string]*collector
|
||||||
}
|
}
|
||||||
|
|
||||||
func (ps *prometheusState) IncGeneration() {
|
// reset is a utility method for unit testing. It should be called after each
|
||||||
|
// test run that changes promState internally in order to avoid dependencies
|
||||||
|
// between unit tests.
|
||||||
|
func (ps *prometheusState) reset() {
|
||||||
|
ps.collectors = make(chan *collector)
|
||||||
|
ps.describers = []func(ch chan<- *stdprometheus.Desc){}
|
||||||
|
ps.dynamicConfig = newDynamicConfig()
|
||||||
|
ps.state = make(map[string]*collector)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (ps *prometheusState) SetDynamicConfig(dynamicConfig *dynamicConfig) {
|
||||||
ps.mtx.Lock()
|
ps.mtx.Lock()
|
||||||
defer ps.mtx.Unlock()
|
defer ps.mtx.Unlock()
|
||||||
ps.currentGeneration++
|
ps.dynamicConfig = dynamicConfig
|
||||||
}
|
}
|
||||||
|
|
||||||
func (ps *prometheusState) ListenValueUpdates() {
|
func (ps *prometheusState) ListenValueUpdates() {
|
||||||
for collector := range ps.collectors {
|
for collector := range ps.collectors {
|
||||||
ps.mtx.Lock()
|
ps.mtx.Lock()
|
||||||
collector.lastTrackedGeneration = ps.currentGeneration
|
|
||||||
ps.state[collector.id] = collector
|
ps.state[collector.id] = collector
|
||||||
ps.mtx.Unlock()
|
ps.mtx.Unlock()
|
||||||
}
|
}
|
||||||
|
@ -212,42 +231,89 @@ func (ps *prometheusState) Describe(ch chan<- *stdprometheus.Desc) {
|
||||||
|
|
||||||
// Collect implements prometheus.Collector. It calls the Collect
|
// Collect implements prometheus.Collector. It calls the Collect
|
||||||
// method of all metrics it received on the collectors channel.
|
// method of all metrics it received on the collectors channel.
|
||||||
// It's also responsible to remove metrics that were tracked
|
// It's also responsible to remove metrics that belong to an outdated configuration.
|
||||||
// at least three generations ago. Those metrics are cleaned up
|
// The removal happens only after their Collect method was called to ensure that
|
||||||
// after the Collect of them were called.
|
// also those metrics will be exported on the current scrape.
|
||||||
func (ps *prometheusState) Collect(ch chan<- stdprometheus.Metric) {
|
func (ps *prometheusState) Collect(ch chan<- stdprometheus.Metric) {
|
||||||
ps.mtx.Lock()
|
ps.mtx.Lock()
|
||||||
defer ps.mtx.Unlock()
|
defer ps.mtx.Unlock()
|
||||||
|
|
||||||
outdatedKeys := []string{}
|
var outdatedKeys []string
|
||||||
for key, cs := range ps.state {
|
for key, cs := range ps.state {
|
||||||
cs.collector.Collect(ch)
|
cs.collector.Collect(ch)
|
||||||
|
|
||||||
if cs.maxAge == generationAgeForever {
|
if ps.isOutdated(cs) {
|
||||||
continue
|
|
||||||
}
|
|
||||||
if ps.currentGeneration-cs.lastTrackedGeneration >= cs.maxAge {
|
|
||||||
outdatedKeys = append(outdatedKeys, key)
|
outdatedKeys = append(outdatedKeys, key)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
for _, key := range outdatedKeys {
|
for _, key := range outdatedKeys {
|
||||||
|
ps.state[key].delete()
|
||||||
delete(ps.state, key)
|
delete(ps.state, key)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
func newCollector(metricName string, lnvs labelNamesValues, c stdprometheus.Collector) *collector {
|
// isOutdated checks whether the passed collector has labels that mark
|
||||||
maxAge := generationAgeDefault
|
// it as belonging to an outdated configuration of Traefik.
|
||||||
|
func (ps *prometheusState) isOutdated(collector *collector) bool {
|
||||||
|
labels := collector.labels
|
||||||
|
|
||||||
// metrics without labels should never become outdated
|
if entrypointName, ok := labels["entrypoint"]; ok && !ps.dynamicConfig.hasEntrypoint(entrypointName) {
|
||||||
if len(lnvs) == 0 {
|
return true
|
||||||
maxAge = generationAgeForever
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if backendName, ok := labels["backend"]; ok {
|
||||||
|
if !ps.dynamicConfig.hasBackend(backendName) {
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
if url, ok := labels["url"]; ok && !ps.dynamicConfig.hasServerURL(backendName, url) {
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
func newDynamicConfig() *dynamicConfig {
|
||||||
|
return &dynamicConfig{
|
||||||
|
entrypoints: make(map[string]bool),
|
||||||
|
backends: make(map[string]map[string]bool),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// dynamicConfig holds the current configuration for entrypoints, backends,
|
||||||
|
// and server URLs in an optimized way to check for existence. This provides
|
||||||
|
// a performant way to check whether the collected metrics belong to the
|
||||||
|
// current configuration or to an outdated one.
|
||||||
|
type dynamicConfig struct {
|
||||||
|
entrypoints map[string]bool
|
||||||
|
backends map[string]map[string]bool
|
||||||
|
}
|
||||||
|
|
||||||
|
func (d *dynamicConfig) hasEntrypoint(entrypointName string) bool {
|
||||||
|
_, ok := d.entrypoints[entrypointName]
|
||||||
|
return ok
|
||||||
|
}
|
||||||
|
|
||||||
|
func (d *dynamicConfig) hasBackend(backendName string) bool {
|
||||||
|
_, ok := d.backends[backendName]
|
||||||
|
return ok
|
||||||
|
}
|
||||||
|
|
||||||
|
func (d *dynamicConfig) hasServerURL(backendName, serverURL string) bool {
|
||||||
|
if backend, hasBackend := d.backends[backendName]; hasBackend {
|
||||||
|
_, ok := backend[serverURL]
|
||||||
|
return ok
|
||||||
|
}
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
func newCollector(metricName string, labels stdprometheus.Labels, c stdprometheus.Collector, delete func()) *collector {
|
||||||
return &collector{
|
return &collector{
|
||||||
id: buildMetricID(metricName, lnvs),
|
id: buildMetricID(metricName, labels),
|
||||||
maxAge: maxAge,
|
labels: labels,
|
||||||
collector: c,
|
collector: c,
|
||||||
|
delete: delete,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -255,16 +321,19 @@ func newCollector(metricName string, lnvs labelNamesValues, c stdprometheus.Coll
|
||||||
// It adds information on how many generations this metric should be present
|
// It adds information on how many generations this metric should be present
|
||||||
// in the /metrics output, relatived to the time it was last tracked.
|
// in the /metrics output, relatived to the time it was last tracked.
|
||||||
type collector struct {
|
type collector struct {
|
||||||
id string
|
id string
|
||||||
collector stdprometheus.Collector
|
labels stdprometheus.Labels
|
||||||
lastTrackedGeneration int
|
collector stdprometheus.Collector
|
||||||
maxAge int
|
delete func()
|
||||||
}
|
}
|
||||||
|
|
||||||
func buildMetricID(metricName string, lnvs labelNamesValues) string {
|
func buildMetricID(metricName string, labels stdprometheus.Labels) string {
|
||||||
newLnvs := append([]string{}, lnvs...)
|
var labelNamesValues []string
|
||||||
sort.Strings(newLnvs)
|
for name, value := range labels {
|
||||||
return metricName + ":" + strings.Join(newLnvs, "|")
|
labelNamesValues = append(labelNamesValues, name, value)
|
||||||
|
}
|
||||||
|
sort.Strings(labelNamesValues)
|
||||||
|
return metricName + ":" + strings.Join(labelNamesValues, "|")
|
||||||
}
|
}
|
||||||
|
|
||||||
func newCounterFrom(collectors chan<- *collector, opts stdprometheus.CounterOpts, labelNames []string) *counter {
|
func newCounterFrom(collectors chan<- *collector, opts stdprometheus.CounterOpts, labelNames []string) *counter {
|
||||||
|
@ -297,9 +366,12 @@ func (c *counter) With(labelValues ...string) metrics.Counter {
|
||||||
}
|
}
|
||||||
|
|
||||||
func (c *counter) Add(delta float64) {
|
func (c *counter) Add(delta float64) {
|
||||||
collector := c.cv.With(c.labelNamesValues.ToLabels())
|
labels := c.labelNamesValues.ToLabels()
|
||||||
|
collector := c.cv.With(labels)
|
||||||
collector.Add(delta)
|
collector.Add(delta)
|
||||||
c.collectors <- newCollector(c.name, c.labelNamesValues, collector)
|
c.collectors <- newCollector(c.name, labels, collector, func() {
|
||||||
|
c.cv.Delete(labels)
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
func (c *counter) Describe(ch chan<- *stdprometheus.Desc) {
|
func (c *counter) Describe(ch chan<- *stdprometheus.Desc) {
|
||||||
|
@ -336,15 +408,21 @@ func (g *gauge) With(labelValues ...string) metrics.Gauge {
|
||||||
}
|
}
|
||||||
|
|
||||||
func (g *gauge) Add(delta float64) {
|
func (g *gauge) Add(delta float64) {
|
||||||
collector := g.gv.With(g.labelNamesValues.ToLabels())
|
labels := g.labelNamesValues.ToLabels()
|
||||||
|
collector := g.gv.With(labels)
|
||||||
collector.Add(delta)
|
collector.Add(delta)
|
||||||
g.collectors <- newCollector(g.name, g.labelNamesValues, collector)
|
g.collectors <- newCollector(g.name, labels, collector, func() {
|
||||||
|
g.gv.Delete(labels)
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
func (g *gauge) Set(value float64) {
|
func (g *gauge) Set(value float64) {
|
||||||
collector := g.gv.With(g.labelNamesValues.ToLabels())
|
labels := g.labelNamesValues.ToLabels()
|
||||||
|
collector := g.gv.With(labels)
|
||||||
collector.Set(value)
|
collector.Set(value)
|
||||||
g.collectors <- newCollector(g.name, g.labelNamesValues, collector)
|
g.collectors <- newCollector(g.name, labels, collector, func() {
|
||||||
|
g.gv.Delete(labels)
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
func (g *gauge) Describe(ch chan<- *stdprometheus.Desc) {
|
func (g *gauge) Describe(ch chan<- *stdprometheus.Desc) {
|
||||||
|
@ -377,9 +455,12 @@ func (h *histogram) With(labelValues ...string) metrics.Histogram {
|
||||||
}
|
}
|
||||||
|
|
||||||
func (h *histogram) Observe(value float64) {
|
func (h *histogram) Observe(value float64) {
|
||||||
collector := h.hv.With(h.labelNamesValues.ToLabels())
|
labels := h.labelNamesValues.ToLabels()
|
||||||
|
collector := h.hv.With(labels)
|
||||||
collector.Observe(value)
|
collector.Observe(value)
|
||||||
h.collectors <- newCollector(h.name, h.labelNamesValues, collector)
|
h.collectors <- newCollector(h.name, labels, collector, func() {
|
||||||
|
h.hv.Delete(labels)
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
func (h *histogram) Describe(ch chan<- *stdprometheus.Desc) {
|
func (h *histogram) Describe(ch chan<- *stdprometheus.Desc) {
|
||||||
|
|
|
@ -7,12 +7,16 @@ import (
|
||||||
"testing"
|
"testing"
|
||||||
"time"
|
"time"
|
||||||
|
|
||||||
|
th "github.com/containous/traefik/testhelpers"
|
||||||
"github.com/containous/traefik/types"
|
"github.com/containous/traefik/types"
|
||||||
"github.com/prometheus/client_golang/prometheus"
|
"github.com/prometheus/client_golang/prometheus"
|
||||||
dto "github.com/prometheus/client_model/go"
|
dto "github.com/prometheus/client_model/go"
|
||||||
)
|
)
|
||||||
|
|
||||||
func TestPrometheus(t *testing.T) {
|
func TestPrometheus(t *testing.T) {
|
||||||
|
// Reset state of global promState.
|
||||||
|
defer promState.reset()
|
||||||
|
|
||||||
prometheusRegistry := RegisterPrometheus(&types.Prometheus{})
|
prometheusRegistry := RegisterPrometheus(&types.Prometheus{})
|
||||||
defer prometheus.Unregister(promState)
|
defer prometheus.Unregister(promState)
|
||||||
|
|
||||||
|
@ -177,56 +181,94 @@ func TestPrometheus(t *testing.T) {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestPrometheusGenerationLogicForMetricWithLabel(t *testing.T) {
|
func TestPrometheusMetricRemoval(t *testing.T) {
|
||||||
|
// Reset state of global promState.
|
||||||
|
defer promState.reset()
|
||||||
|
|
||||||
prometheusRegistry := RegisterPrometheus(&types.Prometheus{})
|
prometheusRegistry := RegisterPrometheus(&types.Prometheus{})
|
||||||
defer prometheus.Unregister(promState)
|
defer prometheus.Unregister(promState)
|
||||||
|
|
||||||
// Metrics with labels belonging to a specific configuration in Traefik
|
configurations := make(types.Configurations)
|
||||||
// should be removed when the generationMaxAge is exceeded. As example
|
configurations["providerName"] = th.BuildConfiguration(
|
||||||
// we use the traefik_backend_requests_total metric.
|
th.WithFrontends(
|
||||||
|
th.WithFrontend("backend1", th.WithEntryPoints("entrypoint1")),
|
||||||
|
),
|
||||||
|
th.WithBackends(
|
||||||
|
th.WithBackendNew("backend1", th.WithServersNew(th.WithServerNew("http://localhost:9000"))),
|
||||||
|
),
|
||||||
|
)
|
||||||
|
OnConfigurationUpdate(configurations)
|
||||||
|
|
||||||
|
// Register some metrics manually that are not part of the active configuration.
|
||||||
|
// Those metrics should be part of the /metrics output on the first scrape but
|
||||||
|
// should be removed after that scrape.
|
||||||
|
prometheusRegistry.
|
||||||
|
EntrypointReqsCounter().
|
||||||
|
With("entrypoint", "entrypoint2", "code", strconv.Itoa(http.StatusOK), "method", http.MethodGet, "protocol", "http").
|
||||||
|
Add(1)
|
||||||
prometheusRegistry.
|
prometheusRegistry.
|
||||||
BackendReqsCounter().
|
BackendReqsCounter().
|
||||||
With("backend", "backend1", "code", strconv.Itoa(http.StatusOK), "method", http.MethodGet, "protocol", "http").
|
With("backend", "backend2", "code", strconv.Itoa(http.StatusOK), "method", http.MethodGet, "protocol", "http").
|
||||||
|
Add(1)
|
||||||
|
prometheusRegistry.
|
||||||
|
BackendServerUpGauge().
|
||||||
|
With("backend", "backend1", "url", "http://localhost:9999").
|
||||||
|
Set(1)
|
||||||
|
|
||||||
|
delayForTrackingCompletion()
|
||||||
|
|
||||||
|
assertMetricsExist(t, mustScrape(), entrypointReqsTotalName, backendReqsTotalName, backendServerUpName)
|
||||||
|
assertMetricsAbsent(t, mustScrape(), entrypointReqsTotalName, backendReqsTotalName, backendServerUpName)
|
||||||
|
|
||||||
|
// To verify that metrics belonging to active configurations are not removed
|
||||||
|
// here the counter examples.
|
||||||
|
prometheusRegistry.
|
||||||
|
EntrypointReqsCounter().
|
||||||
|
With("entrypoint", "entrypoint1", "code", strconv.Itoa(http.StatusOK), "method", http.MethodGet, "protocol", "http").
|
||||||
Add(1)
|
Add(1)
|
||||||
|
|
||||||
delayForTrackingCompletion()
|
delayForTrackingCompletion()
|
||||||
|
|
||||||
assertMetricExists(t, backendReqsTotalName, mustScrape())
|
assertMetricsExist(t, mustScrape(), entrypointReqsTotalName)
|
||||||
|
assertMetricsExist(t, mustScrape(), entrypointReqsTotalName)
|
||||||
// Increase the config generation one more than the max age of a metric.
|
|
||||||
for i := 0; i < generationAgeDefault+1; i++ {
|
|
||||||
OnConfigurationUpdate()
|
|
||||||
}
|
|
||||||
|
|
||||||
// On the next scrape the metric still exists and will be removed
|
|
||||||
// after the scrape completed.
|
|
||||||
assertMetricExists(t, backendReqsTotalName, mustScrape())
|
|
||||||
|
|
||||||
// Now the metric should be absent.
|
|
||||||
assertMetricAbsent(t, backendReqsTotalName, mustScrape())
|
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestPrometheusGenerationLogicForMetricWithoutLabel(t *testing.T) {
|
func TestPrometheusRemovedMetricsReset(t *testing.T) {
|
||||||
|
// Reset state of global promState.
|
||||||
|
defer promState.reset()
|
||||||
|
|
||||||
prometheusRegistry := RegisterPrometheus(&types.Prometheus{})
|
prometheusRegistry := RegisterPrometheus(&types.Prometheus{})
|
||||||
defer prometheus.Unregister(promState)
|
defer prometheus.Unregister(promState)
|
||||||
|
|
||||||
// Metrics without labels like traefik_config_reloads_total should live forever
|
labelNamesValues := []string{
|
||||||
// and never get removed.
|
"backend", "backend",
|
||||||
prometheusRegistry.ConfigReloadsCounter().Add(1)
|
"code", strconv.Itoa(http.StatusOK),
|
||||||
|
"method", http.MethodGet,
|
||||||
|
"protocol", "http",
|
||||||
|
}
|
||||||
|
prometheusRegistry.
|
||||||
|
BackendReqsCounter().
|
||||||
|
With(labelNamesValues...).
|
||||||
|
Add(3)
|
||||||
|
|
||||||
delayForTrackingCompletion()
|
delayForTrackingCompletion()
|
||||||
|
|
||||||
assertMetricExists(t, configReloadsTotalName, mustScrape())
|
metricsFamilies := mustScrape()
|
||||||
|
assertCounterValue(t, 3, findMetricFamily(backendReqsTotalName, metricsFamilies), labelNamesValues...)
|
||||||
|
|
||||||
// Increase the config generation one more than the max age of a metric.
|
// There is no dynamic configuration and so this metric will be deleted
|
||||||
for i := 0; i < generationAgeDefault+100; i++ {
|
// after the first scrape.
|
||||||
OnConfigurationUpdate()
|
assertMetricsAbsent(t, mustScrape(), backendReqsTotalName)
|
||||||
}
|
|
||||||
|
|
||||||
// Scrape two times in order to verify, that it is not removed after the
|
prometheusRegistry.
|
||||||
// first scrape completed.
|
BackendReqsCounter().
|
||||||
assertMetricExists(t, configReloadsTotalName, mustScrape())
|
With(labelNamesValues...).
|
||||||
assertMetricExists(t, configReloadsTotalName, mustScrape())
|
Add(1)
|
||||||
|
|
||||||
|
delayForTrackingCompletion()
|
||||||
|
|
||||||
|
metricsFamilies = mustScrape()
|
||||||
|
assertCounterValue(t, 1, findMetricFamily(backendReqsTotalName, metricsFamilies), labelNamesValues...)
|
||||||
}
|
}
|
||||||
|
|
||||||
// Tracking and gathering the metrics happens concurrently.
|
// Tracking and gathering the metrics happens concurrently.
|
||||||
|
@ -247,17 +289,23 @@ func mustScrape() []*dto.MetricFamily {
|
||||||
return families
|
return families
|
||||||
}
|
}
|
||||||
|
|
||||||
func assertMetricExists(t *testing.T, name string, families []*dto.MetricFamily) {
|
func assertMetricsExist(t *testing.T, families []*dto.MetricFamily, metricNames ...string) {
|
||||||
t.Helper()
|
t.Helper()
|
||||||
if findMetricFamily(name, families) == nil {
|
|
||||||
t.Errorf("gathered metrics do not contain %q", name)
|
for _, metricName := range metricNames {
|
||||||
|
if findMetricFamily(metricName, families) == nil {
|
||||||
|
t.Errorf("gathered metrics should contain %q", metricName)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
func assertMetricAbsent(t *testing.T, name string, families []*dto.MetricFamily) {
|
func assertMetricsAbsent(t *testing.T, families []*dto.MetricFamily, metricNames ...string) {
|
||||||
t.Helper()
|
t.Helper()
|
||||||
if findMetricFamily(name, families) != nil {
|
|
||||||
t.Errorf("gathered metrics contain %q, but should not", name)
|
for _, metricName := range metricNames {
|
||||||
|
if findMetricFamily(metricName, families) != nil {
|
||||||
|
t.Errorf("gathered metrics should not contain %q", metricName)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -270,6 +318,58 @@ func findMetricFamily(name string, families []*dto.MetricFamily) *dto.MetricFami
|
||||||
return nil
|
return nil
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func findMetricByLabelNamesValues(family *dto.MetricFamily, labelNamesValues ...string) *dto.Metric {
|
||||||
|
if family == nil {
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
for _, metric := range family.Metric {
|
||||||
|
if hasMetricAllLabelPairs(metric, labelNamesValues...) {
|
||||||
|
return metric
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func hasMetricAllLabelPairs(metric *dto.Metric, labelNamesValues ...string) bool {
|
||||||
|
for i := 0; i < len(labelNamesValues); i += 2 {
|
||||||
|
name, val := labelNamesValues[i], labelNamesValues[i+1]
|
||||||
|
if !hasMetricLabelPair(metric, name, val) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
|
||||||
|
func hasMetricLabelPair(metric *dto.Metric, labelName, labelValue string) bool {
|
||||||
|
for _, labelPair := range metric.Label {
|
||||||
|
if labelPair.GetName() == labelName && labelPair.GetValue() == labelValue {
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
func assertCounterValue(t *testing.T, want float64, family *dto.MetricFamily, labelNamesValues ...string) {
|
||||||
|
t.Helper()
|
||||||
|
|
||||||
|
metric := findMetricByLabelNamesValues(family, labelNamesValues...)
|
||||||
|
|
||||||
|
if metric == nil {
|
||||||
|
t.Error("metric must not be nil")
|
||||||
|
return
|
||||||
|
}
|
||||||
|
if metric.Counter == nil {
|
||||||
|
t.Errorf("metric %s must be a counter", family.GetName())
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if cv := metric.Counter.GetValue(); cv != want {
|
||||||
|
t.Errorf("metric %s has value %v, want %v", family.GetName(), cv, want)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
func buildCounterAssert(t *testing.T, metricName string, expectedValue int) func(family *dto.MetricFamily) {
|
func buildCounterAssert(t *testing.T, metricName string, expectedValue int) func(family *dto.MetricFamily) {
|
||||||
return func(family *dto.MetricFamily) {
|
return func(family *dto.MetricFamily) {
|
||||||
if cv := int(family.Metric[0].Counter.GetValue()); cv != expectedValue {
|
if cv := int(family.Metric[0].Counter.GetValue()); cv != expectedValue {
|
||||||
|
|
|
@ -535,7 +535,10 @@ func (s *serverEntryPoint) getCertificate(clientHello *tls.ClientHelloInfo) (*tl
|
||||||
}
|
}
|
||||||
|
|
||||||
func (s *Server) postLoadConfiguration() {
|
func (s *Server) postLoadConfiguration() {
|
||||||
metrics.OnConfigurationUpdate()
|
if s.metricsRegistry.IsEnabled() {
|
||||||
|
activeConfig := s.currentConfigurations.Get().(types.Configurations)
|
||||||
|
metrics.OnConfigurationUpdate(activeConfig)
|
||||||
|
}
|
||||||
|
|
||||||
if s.globalConfiguration.ACME == nil || s.leadership == nil || !s.leadership.IsLeader() {
|
if s.globalConfiguration.ACME == nil || s.leadership == nil || !s.leadership.IsLeader() {
|
||||||
return
|
return
|
||||||
|
|
|
@ -16,9 +16,8 @@ import (
|
||||||
"github.com/containous/traefik/healthcheck"
|
"github.com/containous/traefik/healthcheck"
|
||||||
"github.com/containous/traefik/metrics"
|
"github.com/containous/traefik/metrics"
|
||||||
"github.com/containous/traefik/middlewares"
|
"github.com/containous/traefik/middlewares"
|
||||||
"github.com/containous/traefik/provider/label"
|
|
||||||
"github.com/containous/traefik/rules"
|
"github.com/containous/traefik/rules"
|
||||||
"github.com/containous/traefik/testhelpers"
|
th "github.com/containous/traefik/testhelpers"
|
||||||
"github.com/containous/traefik/tls"
|
"github.com/containous/traefik/tls"
|
||||||
"github.com/containous/traefik/types"
|
"github.com/containous/traefik/types"
|
||||||
"github.com/davecgh/go-spew/spew"
|
"github.com/davecgh/go-spew/spew"
|
||||||
|
@ -211,9 +210,9 @@ func TestListenProvidersSkipsSameConfigurationForProvider(t *testing.T) {
|
||||||
}
|
}
|
||||||
}()
|
}()
|
||||||
|
|
||||||
config := buildDynamicConfig(
|
config := th.BuildConfiguration(
|
||||||
withFrontend("frontend", buildFrontend()),
|
th.WithFrontends(th.WithFrontend("backend")),
|
||||||
withBackend("backend", buildBackend()),
|
th.WithBackends(th.WithBackendNew("backend")),
|
||||||
)
|
)
|
||||||
|
|
||||||
// provide a configuration
|
// provide a configuration
|
||||||
|
@ -252,9 +251,9 @@ func TestListenProvidersPublishesConfigForEachProvider(t *testing.T) {
|
||||||
}
|
}
|
||||||
}()
|
}()
|
||||||
|
|
||||||
config := buildDynamicConfig(
|
config := th.BuildConfiguration(
|
||||||
withFrontend("frontend", buildFrontend()),
|
th.WithFrontends(th.WithFrontend("backend")),
|
||||||
withBackend("backend", buildBackend()),
|
th.WithBackends(th.WithBackendNew("backend")),
|
||||||
)
|
)
|
||||||
server.configurationChan <- types.ConfigMessage{ProviderName: "kubernetes", Configuration: config}
|
server.configurationChan <- types.ConfigMessage{ProviderName: "kubernetes", Configuration: config}
|
||||||
server.configurationChan <- types.ConfigMessage{ProviderName: "marathon", Configuration: config}
|
server.configurationChan <- types.ConfigMessage{ProviderName: "marathon", Configuration: config}
|
||||||
|
@ -410,7 +409,7 @@ func TestServerMultipleFrontendRules(t *testing.T) {
|
||||||
t.Fatalf("Error while building route for %s: %+v", expression, err)
|
t.Fatalf("Error while building route for %s: %+v", expression, err)
|
||||||
}
|
}
|
||||||
|
|
||||||
request := testhelpers.MustNewRequest(http.MethodGet, test.requestURL, nil)
|
request := th.MustNewRequest(http.MethodGet, test.requestURL, nil)
|
||||||
routeMatch := routeResult.Match(request, &mux.RouteMatch{Route: routeResult})
|
routeMatch := routeResult.Match(request, &mux.RouteMatch{Route: routeResult})
|
||||||
|
|
||||||
if !routeMatch {
|
if !routeMatch {
|
||||||
|
@ -491,7 +490,7 @@ func TestServerLoadConfigHealthCheckOptions(t *testing.T) {
|
||||||
if healthCheck != nil {
|
if healthCheck != nil {
|
||||||
wantNumHealthCheckBackends = 1
|
wantNumHealthCheckBackends = 1
|
||||||
}
|
}
|
||||||
gotNumHealthCheckBackends := len(healthcheck.GetHealthCheck(testhelpers.NewCollectingHealthCheckMetrics()).Backends)
|
gotNumHealthCheckBackends := len(healthcheck.GetHealthCheck(th.NewCollectingHealthCheckMetrics()).Backends)
|
||||||
if gotNumHealthCheckBackends != wantNumHealthCheckBackends {
|
if gotNumHealthCheckBackends != wantNumHealthCheckBackends {
|
||||||
t.Errorf("got %d health check backends, want %d", gotNumHealthCheckBackends, wantNumHealthCheckBackends)
|
t.Errorf("got %d health check backends, want %d", gotNumHealthCheckBackends, wantNumHealthCheckBackends)
|
||||||
}
|
}
|
||||||
|
@ -859,62 +858,88 @@ func TestServerResponseEmptyBackend(t *testing.T) {
|
||||||
|
|
||||||
testCases := []struct {
|
testCases := []struct {
|
||||||
desc string
|
desc string
|
||||||
dynamicConfig func(testServerURL string) *types.Configuration
|
config func(testServerURL string) *types.Configuration
|
||||||
wantStatusCode int
|
wantStatusCode int
|
||||||
}{
|
}{
|
||||||
{
|
{
|
||||||
desc: "Ok",
|
desc: "Ok",
|
||||||
dynamicConfig: func(testServerURL string) *types.Configuration {
|
config: func(testServerURL string) *types.Configuration {
|
||||||
return buildDynamicConfig(
|
return th.BuildConfiguration(
|
||||||
withFrontend("frontend", buildFrontend(withRoute(requestPath, routeRule))),
|
th.WithFrontends(th.WithFrontend("backend",
|
||||||
withBackend("backend", buildBackend(withServer("testServer", testServerURL))),
|
th.WithEntryPoints("http"),
|
||||||
|
th.WithRoutes(th.WithRoute(requestPath, routeRule))),
|
||||||
|
),
|
||||||
|
th.WithBackends(th.WithBackendNew("backend",
|
||||||
|
th.WithLBMethod("wrr"),
|
||||||
|
th.WithServersNew(th.WithServerNew(testServerURL))),
|
||||||
|
),
|
||||||
)
|
)
|
||||||
},
|
},
|
||||||
wantStatusCode: http.StatusOK,
|
wantStatusCode: http.StatusOK,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
desc: "No Frontend",
|
desc: "No Frontend",
|
||||||
dynamicConfig: func(testServerURL string) *types.Configuration {
|
config: func(testServerURL string) *types.Configuration {
|
||||||
return buildDynamicConfig()
|
return th.BuildConfiguration()
|
||||||
},
|
},
|
||||||
wantStatusCode: http.StatusNotFound,
|
wantStatusCode: http.StatusNotFound,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
desc: "Empty Backend LB-Drr",
|
desc: "Empty Backend LB-Drr",
|
||||||
dynamicConfig: func(testServerURL string) *types.Configuration {
|
config: func(testServerURL string) *types.Configuration {
|
||||||
return buildDynamicConfig(
|
return th.BuildConfiguration(
|
||||||
withFrontend("frontend", buildFrontend(withRoute(requestPath, routeRule))),
|
th.WithFrontends(th.WithFrontend("backend",
|
||||||
withBackend("backend", buildBackend(withLoadBalancer("Drr", false))),
|
th.WithEntryPoints("http"),
|
||||||
|
th.WithRoutes(th.WithRoute(requestPath, routeRule))),
|
||||||
|
),
|
||||||
|
th.WithBackends(th.WithBackendNew("backend",
|
||||||
|
th.WithLBMethod("drr")),
|
||||||
|
),
|
||||||
)
|
)
|
||||||
},
|
},
|
||||||
wantStatusCode: http.StatusServiceUnavailable,
|
wantStatusCode: http.StatusServiceUnavailable,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
desc: "Empty Backend LB-Drr Sticky",
|
desc: "Empty Backend LB-Drr Sticky",
|
||||||
dynamicConfig: func(testServerURL string) *types.Configuration {
|
config: func(testServerURL string) *types.Configuration {
|
||||||
return buildDynamicConfig(
|
return th.BuildConfiguration(
|
||||||
withFrontend("frontend", buildFrontend(withRoute(requestPath, routeRule))),
|
th.WithFrontends(th.WithFrontend("backend",
|
||||||
withBackend("backend", buildBackend(withLoadBalancer("Drr", true))),
|
th.WithEntryPoints("http"),
|
||||||
|
th.WithRoutes(th.WithRoute(requestPath, routeRule))),
|
||||||
|
),
|
||||||
|
th.WithBackends(th.WithBackendNew("backend",
|
||||||
|
th.WithLBMethod("drr"), th.WithLBSticky("test")),
|
||||||
|
),
|
||||||
)
|
)
|
||||||
},
|
},
|
||||||
wantStatusCode: http.StatusServiceUnavailable,
|
wantStatusCode: http.StatusServiceUnavailable,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
desc: "Empty Backend LB-Wrr",
|
desc: "Empty Backend LB-Wrr",
|
||||||
dynamicConfig: func(testServerURL string) *types.Configuration {
|
config: func(testServerURL string) *types.Configuration {
|
||||||
return buildDynamicConfig(
|
return th.BuildConfiguration(
|
||||||
withFrontend("frontend", buildFrontend(withRoute(requestPath, routeRule))),
|
th.WithFrontends(th.WithFrontend("backend",
|
||||||
withBackend("backend", buildBackend(withLoadBalancer("Wrr", false))),
|
th.WithEntryPoints("http"),
|
||||||
|
th.WithRoutes(th.WithRoute(requestPath, routeRule))),
|
||||||
|
),
|
||||||
|
th.WithBackends(th.WithBackendNew("backend",
|
||||||
|
th.WithLBMethod("wrr")),
|
||||||
|
),
|
||||||
)
|
)
|
||||||
},
|
},
|
||||||
wantStatusCode: http.StatusServiceUnavailable,
|
wantStatusCode: http.StatusServiceUnavailable,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
desc: "Empty Backend LB-Wrr Sticky",
|
desc: "Empty Backend LB-Wrr Sticky",
|
||||||
dynamicConfig: func(testServerURL string) *types.Configuration {
|
config: func(testServerURL string) *types.Configuration {
|
||||||
return buildDynamicConfig(
|
return th.BuildConfiguration(
|
||||||
withFrontend("frontend", buildFrontend(withRoute(requestPath, routeRule))),
|
th.WithFrontends(th.WithFrontend("backend",
|
||||||
withBackend("backend", buildBackend(withLoadBalancer("Wrr", true))),
|
th.WithEntryPoints("http"),
|
||||||
|
th.WithRoutes(th.WithRoute(requestPath, routeRule))),
|
||||||
|
),
|
||||||
|
th.WithBackends(th.WithBackendNew("backend",
|
||||||
|
th.WithLBMethod("wrr"), th.WithLBSticky("test")),
|
||||||
|
),
|
||||||
)
|
)
|
||||||
},
|
},
|
||||||
wantStatusCode: http.StatusServiceUnavailable,
|
wantStatusCode: http.StatusServiceUnavailable,
|
||||||
|
@ -937,7 +962,7 @@ func TestServerResponseEmptyBackend(t *testing.T) {
|
||||||
"http": &configuration.EntryPoint{ForwardedHeaders: &configuration.ForwardedHeaders{Insecure: true}},
|
"http": &configuration.EntryPoint{ForwardedHeaders: &configuration.ForwardedHeaders{Insecure: true}},
|
||||||
},
|
},
|
||||||
}
|
}
|
||||||
dynamicConfigs := types.Configurations{"config": test.dynamicConfig(testServer.URL)}
|
dynamicConfigs := types.Configurations{"config": test.config(testServer.URL)}
|
||||||
|
|
||||||
srv := NewServer(globalConfig, nil)
|
srv := NewServer(globalConfig, nil)
|
||||||
entryPoints, err := srv.loadConfig(dynamicConfigs, globalConfig)
|
entryPoints, err := srv.loadConfig(dynamicConfigs, globalConfig)
|
||||||
|
@ -1036,7 +1061,7 @@ func TestBuildRedirectHandler(t *testing.T) {
|
||||||
rewrite, err := srv.buildRedirectHandler(test.srcEntryPointName, test.redirect)
|
rewrite, err := srv.buildRedirectHandler(test.srcEntryPointName, test.redirect)
|
||||||
require.NoError(t, err)
|
require.NoError(t, err)
|
||||||
|
|
||||||
req := testhelpers.MustNewRequest(http.MethodGet, test.url, nil)
|
req := th.MustNewRequest(http.MethodGet, test.url, nil)
|
||||||
recorder := httptest.NewRecorder()
|
recorder := httptest.NewRecorder()
|
||||||
|
|
||||||
rewrite.ServeHTTP(recorder, req, http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
|
rewrite.ServeHTTP(recorder, req, http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
|
||||||
|
@ -1166,71 +1191,3 @@ func TestNewServerWithResponseModifiers(t *testing.T) {
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
func buildDynamicConfig(dynamicConfigBuilders ...func(*types.Configuration)) *types.Configuration {
|
|
||||||
config := &types.Configuration{
|
|
||||||
Frontends: make(map[string]*types.Frontend),
|
|
||||||
Backends: make(map[string]*types.Backend),
|
|
||||||
}
|
|
||||||
for _, build := range dynamicConfigBuilders {
|
|
||||||
build(config)
|
|
||||||
}
|
|
||||||
return config
|
|
||||||
}
|
|
||||||
|
|
||||||
func withFrontend(frontendName string, frontend *types.Frontend) func(*types.Configuration) {
|
|
||||||
return func(config *types.Configuration) {
|
|
||||||
config.Frontends[frontendName] = frontend
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
func withBackend(backendName string, backend *types.Backend) func(*types.Configuration) {
|
|
||||||
return func(config *types.Configuration) {
|
|
||||||
config.Backends[backendName] = backend
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
func buildFrontend(frontendBuilders ...func(*types.Frontend)) *types.Frontend {
|
|
||||||
fe := &types.Frontend{
|
|
||||||
EntryPoints: []string{"http"},
|
|
||||||
Backend: "backend",
|
|
||||||
Routes: make(map[string]types.Route),
|
|
||||||
}
|
|
||||||
for _, build := range frontendBuilders {
|
|
||||||
build(fe)
|
|
||||||
}
|
|
||||||
return fe
|
|
||||||
}
|
|
||||||
|
|
||||||
func withRoute(routeName, rule string) func(*types.Frontend) {
|
|
||||||
return func(fe *types.Frontend) {
|
|
||||||
fe.Routes[routeName] = types.Route{Rule: rule}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
func buildBackend(backendBuilders ...func(*types.Backend)) *types.Backend {
|
|
||||||
be := &types.Backend{
|
|
||||||
Servers: make(map[string]types.Server),
|
|
||||||
LoadBalancer: &types.LoadBalancer{Method: "Wrr"},
|
|
||||||
}
|
|
||||||
for _, build := range backendBuilders {
|
|
||||||
build(be)
|
|
||||||
}
|
|
||||||
return be
|
|
||||||
}
|
|
||||||
|
|
||||||
func withServer(name, url string) func(backend *types.Backend) {
|
|
||||||
return func(be *types.Backend) {
|
|
||||||
be.Servers[name] = types.Server{URL: url, Weight: label.DefaultWeight}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
func withLoadBalancer(method string, sticky bool) func(*types.Backend) {
|
|
||||||
return func(be *types.Backend) {
|
|
||||||
if sticky {
|
|
||||||
be.LoadBalancer = &types.LoadBalancer{Method: method, Stickiness: &types.Stickiness{CookieName: "test"}}
|
|
||||||
} else {
|
|
||||||
be.LoadBalancer = &types.LoadBalancer{Method: method}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
134
testhelpers/config.go
Normal file
134
testhelpers/config.go
Normal file
|
@ -0,0 +1,134 @@
|
||||||
|
package testhelpers
|
||||||
|
|
||||||
|
import (
|
||||||
|
"github.com/containous/traefik/provider"
|
||||||
|
"github.com/containous/traefik/types"
|
||||||
|
)
|
||||||
|
|
||||||
|
// BuildConfiguration is a helper to create a configuration.
|
||||||
|
func BuildConfiguration(dynamicConfigBuilders ...func(*types.Configuration)) *types.Configuration {
|
||||||
|
config := &types.Configuration{}
|
||||||
|
for _, build := range dynamicConfigBuilders {
|
||||||
|
build(config)
|
||||||
|
}
|
||||||
|
return config
|
||||||
|
}
|
||||||
|
|
||||||
|
// -- Backend
|
||||||
|
|
||||||
|
// WithBackends is a helper to create a configuration
|
||||||
|
func WithBackends(opts ...func(*types.Backend) string) func(*types.Configuration) {
|
||||||
|
return func(c *types.Configuration) {
|
||||||
|
c.Backends = make(map[string]*types.Backend)
|
||||||
|
for _, opt := range opts {
|
||||||
|
b := &types.Backend{}
|
||||||
|
name := opt(b)
|
||||||
|
c.Backends[name] = b
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithBackendNew is a helper to create a configuration
|
||||||
|
func WithBackendNew(name string, opts ...func(*types.Backend)) func(*types.Backend) string {
|
||||||
|
return func(b *types.Backend) string {
|
||||||
|
for _, opt := range opts {
|
||||||
|
opt(b)
|
||||||
|
}
|
||||||
|
return name
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithServersNew is a helper to create a configuration
|
||||||
|
func WithServersNew(opts ...func(*types.Server) string) func(*types.Backend) {
|
||||||
|
return func(b *types.Backend) {
|
||||||
|
b.Servers = make(map[string]types.Server)
|
||||||
|
for _, opt := range opts {
|
||||||
|
s := &types.Server{Weight: 1}
|
||||||
|
name := opt(s)
|
||||||
|
b.Servers[name] = *s
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithServerNew is a helper to create a configuration
|
||||||
|
func WithServerNew(url string, opts ...func(*types.Server)) func(*types.Server) string {
|
||||||
|
return func(s *types.Server) string {
|
||||||
|
for _, opt := range opts {
|
||||||
|
opt(s)
|
||||||
|
}
|
||||||
|
s.URL = url
|
||||||
|
return provider.Normalize(url)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithLBMethod is a helper to create a configuration
|
||||||
|
func WithLBMethod(method string) func(*types.Backend) {
|
||||||
|
return func(b *types.Backend) {
|
||||||
|
if b.LoadBalancer == nil {
|
||||||
|
b.LoadBalancer = &types.LoadBalancer{}
|
||||||
|
}
|
||||||
|
b.LoadBalancer.Method = method
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// -- Frontend
|
||||||
|
|
||||||
|
// WithFrontends is a helper to create a configuration
|
||||||
|
func WithFrontends(opts ...func(*types.Frontend) string) func(*types.Configuration) {
|
||||||
|
return func(c *types.Configuration) {
|
||||||
|
c.Frontends = make(map[string]*types.Frontend)
|
||||||
|
for _, opt := range opts {
|
||||||
|
f := &types.Frontend{}
|
||||||
|
name := opt(f)
|
||||||
|
c.Frontends[name] = f
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithFrontend is a helper to create a configuration
|
||||||
|
func WithFrontend(backend string, opts ...func(*types.Frontend)) func(*types.Frontend) string {
|
||||||
|
return func(f *types.Frontend) string {
|
||||||
|
for _, opt := range opts {
|
||||||
|
opt(f)
|
||||||
|
}
|
||||||
|
f.Backend = backend
|
||||||
|
return backend
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithEntryPoints is a helper to create a configuration
|
||||||
|
func WithEntryPoints(eps ...string) func(*types.Frontend) {
|
||||||
|
return func(f *types.Frontend) {
|
||||||
|
f.EntryPoints = eps
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithRoutes is a helper to create a configuration
|
||||||
|
func WithRoutes(opts ...func(*types.Route) string) func(*types.Frontend) {
|
||||||
|
return func(f *types.Frontend) {
|
||||||
|
f.Routes = make(map[string]types.Route)
|
||||||
|
for _, opt := range opts {
|
||||||
|
s := &types.Route{}
|
||||||
|
name := opt(s)
|
||||||
|
f.Routes[name] = *s
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithRoute is a helper to create a configuration
|
||||||
|
func WithRoute(name string, rule string) func(*types.Route) string {
|
||||||
|
return func(r *types.Route) string {
|
||||||
|
r.Rule = rule
|
||||||
|
return name
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// WithLBSticky is a helper to create a configuration
|
||||||
|
func WithLBSticky(cookieName string) func(*types.Backend) {
|
||||||
|
return func(b *types.Backend) {
|
||||||
|
if b.LoadBalancer == nil {
|
||||||
|
b.LoadBalancer = &types.LoadBalancer{}
|
||||||
|
}
|
||||||
|
b.LoadBalancer.Stickiness = &types.Stickiness{CookieName: cookieName}
|
||||||
|
}
|
||||||
|
}
|
|
@ -7,16 +7,6 @@ import (
|
||||||
"net/url"
|
"net/url"
|
||||||
)
|
)
|
||||||
|
|
||||||
// Intp returns a pointer to the given integer value.
|
|
||||||
func Intp(i int) *int {
|
|
||||||
return &i
|
|
||||||
}
|
|
||||||
|
|
||||||
// Stringp returns a pointer to the given string value.
|
|
||||||
func Stringp(s string) *string {
|
|
||||||
return &s
|
|
||||||
}
|
|
||||||
|
|
||||||
// MustNewRequest creates a new http get request or panics if it can't
|
// MustNewRequest creates a new http get request or panics if it can't
|
||||||
func MustNewRequest(method, urlStr string, body io.Reader) *http.Request {
|
func MustNewRequest(method, urlStr string, body io.Reader) *http.Request {
|
||||||
request, err := http.NewRequest(method, urlStr, body)
|
request, err := http.NewRequest(method, urlStr, body)
|
||||||
|
|
|
@ -46,12 +46,12 @@ type CollectingHealthCheckMetrics struct {
|
||||||
Gauge *CollectingGauge
|
Gauge *CollectingGauge
|
||||||
}
|
}
|
||||||
|
|
||||||
// NewCollectingHealthCheckMetrics creates a new CollectingHealthCheckMetrics instance.
|
|
||||||
func NewCollectingHealthCheckMetrics() *CollectingHealthCheckMetrics {
|
|
||||||
return &CollectingHealthCheckMetrics{&CollectingGauge{}}
|
|
||||||
}
|
|
||||||
|
|
||||||
// BackendServerUpGauge is there to satisfy the healthcheck.metricsRegistry interface.
|
// BackendServerUpGauge is there to satisfy the healthcheck.metricsRegistry interface.
|
||||||
func (m *CollectingHealthCheckMetrics) BackendServerUpGauge() metrics.Gauge {
|
func (m *CollectingHealthCheckMetrics) BackendServerUpGauge() metrics.Gauge {
|
||||||
return m.Gauge
|
return m.Gauge
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// NewCollectingHealthCheckMetrics creates a new CollectingHealthCheckMetrics instance.
|
||||||
|
func NewCollectingHealthCheckMetrics() *CollectingHealthCheckMetrics {
|
||||||
|
return &CollectingHealthCheckMetrics{&CollectingGauge{}}
|
||||||
|
}
|
||||||
|
|
Loading…
Reference in a new issue