Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 4 additions & 0 deletions components/ws-proxy/pkg/common/infoprovider.go
Original file line number Diff line number Diff line change
Expand Up @@ -23,6 +23,8 @@ const (
WorkspacePathPrefixIdentifier = "workspacePathPrefix"

WorkspaceInfoIdentifier = "workspaceInfo"

ForeignContentIdentifier = "foreignContent"
)

// WorkspaceCoords represents the coordinates of a workspace (port).
Expand All @@ -33,6 +35,8 @@ type WorkspaceCoords struct {
Port string
// Debug workspace
Debug bool
// Foreign content
Foreign bool
}

// WorkspaceInfoProvider is an entity that is able to provide workspaces related information.
Expand Down
208 changes: 208 additions & 0 deletions components/ws-proxy/pkg/proxy/metrics.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,208 @@
// Copyright (c) 2024 Gitpod GmbH. All rights reserved.
// Licensed under the GNU Affero General Public License (AGPL).
// See License.AGPL.txt in the project root for license information.

package proxy

import (
"context"
"net/http"
"strings"

"github.com/gitpod-io/gitpod/common-go/log"
"github.com/gorilla/mux"
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/client_golang/prometheus/promhttp"
"sigs.k8s.io/controller-runtime/pkg/metrics"
)

const (
metricsNamespace = "gitpod"
metricsSubsystem = "ws_proxy"
)

type httpMetrics struct {
requestsTotal *prometheus.CounterVec
requestsDuration *prometheus.HistogramVec
}

func (m *httpMetrics) Describe(ch chan<- *prometheus.Desc) {
m.requestsTotal.Describe(ch)
m.requestsDuration.Describe(ch)
}

func (m *httpMetrics) Collect(ch chan<- prometheus.Metric) {
m.requestsTotal.Collect(ch)
m.requestsDuration.Collect(ch)
}

var (
serverMetrics = &httpMetrics{
requestsTotal: prometheus.NewCounterVec(prometheus.CounterOpts{
Namespace: metricsNamespace,
Subsystem: metricsSubsystem,
Name: "http_server_requests_total",
Help: "Total number of incoming HTTP requests",
}, []string{"method", "resource", "code", "http_version"}),
requestsDuration: prometheus.NewHistogramVec(prometheus.HistogramOpts{
Namespace: metricsNamespace,
Subsystem: metricsSubsystem,
Name: "http_server_requests_duration_seconds",
Help: "Duration of incoming HTTP requests in seconds",
Buckets: []float64{.005, .025, .05, .1, .5, 1, 2.5, 5, 30, 60, 120, 240, 600},
}, []string{"method", "resource", "code", "http_version"}),
}
clientMetrics = &httpMetrics{
requestsTotal: prometheus.NewCounterVec(prometheus.CounterOpts{
Namespace: metricsNamespace,
Subsystem: metricsSubsystem,
Name: "http_client_requests_total",
Help: "Total number of outgoing HTTP requests",
}, []string{"method", "resource", "code", "http_version"}),
requestsDuration: prometheus.NewHistogramVec(prometheus.HistogramOpts{
Namespace: metricsNamespace,
Subsystem: metricsSubsystem,
Name: "http_client_requests_duration_seconds",
Help: "Duration of outgoing HTTP requests in seconds",
Buckets: []float64{.005, .025, .05, .1, .5, 1, 2.5, 5, 30, 60, 120, 240, 600},
}, []string{"method", "resource", "code", "http_version"}),
}
)

func init() {
metrics.Registry.MustRegister(serverMetrics, clientMetrics)
}

type contextKey int

var (
resourceKey = contextKey(0)
httpVersionKey = contextKey(1)
)

func withResourceMetricsLabel(r *http.Request, resource string) *http.Request {
ctx := context.WithValue(r.Context(), resourceKey, []string{resource})
return r.WithContext(ctx)
}

func withResourceLabel() promhttp.Option {
return promhttp.WithLabelFromCtx("resource", func(ctx context.Context) string {
if v := ctx.Value(resourceKey); v != nil {
if resources, ok := v.([]string); ok {
if len(resources) > 0 {
return resources[0]
}
}
}
return "unknown"
})
}

func withHttpVersionMetricsLabel(r *http.Request) *http.Request {
ctx := context.WithValue(r.Context(), httpVersionKey, []string{r.Proto})
return r.WithContext(ctx)
}

func withHttpVersionLabel() promhttp.Option {
return promhttp.WithLabelFromCtx("http_version", func(ctx context.Context) string {
if v := ctx.Value(httpVersionKey); v != nil {
if versions, ok := v.([]string); ok {
if len(versions) > 0 {
return versions[0]
}
}
}
return "unknown"
})
}

func instrumentClientMetrics(transport http.RoundTripper) http.RoundTripper {
return promhttp.InstrumentRoundTripperCounter(clientMetrics.requestsTotal,
promhttp.InstrumentRoundTripperDuration(clientMetrics.requestsDuration,
transport,
withResourceLabel(),
withHttpVersionLabel(),
),
withResourceLabel(),
withHttpVersionLabel(),
)
}

func instrumentServerMetrics(next http.Handler) http.Handler {
handler := http.HandlerFunc(func(w http.ResponseWriter, req *http.Request) {
next.ServeHTTP(w, req)
if v := req.Context().Value(resourceKey); v != nil {
if resources, ok := v.([]string); ok {
if len(resources) > 0 {
resources[0] = getHandlerResource(req)
}
}
}
if v := req.Context().Value(httpVersionKey); v != nil {
if versions, ok := v.([]string); ok {
if len(versions) > 0 {
versions[0] = req.Proto
}
}
}
})
instrumented := promhttp.InstrumentHandlerCounter(serverMetrics.requestsTotal,
promhttp.InstrumentHandlerDuration(serverMetrics.requestsDuration,
handler,
withResourceLabel(),
withHttpVersionLabel(),
),
withResourceLabel(),
withHttpVersionLabel(),
)
return http.HandlerFunc(func(w http.ResponseWriter, req *http.Request) {
ctx := context.WithValue(req.Context(), resourceKey, []string{"unknown"})
ctx = context.WithValue(ctx, httpVersionKey, []string{"unknown"})
instrumented.ServeHTTP(w, req.WithContext(ctx))
})
}

func getHandlerResource(req *http.Request) string {
hostPart := getResourceHost(req)
if hostPart == "" {
hostPart = "unknown"
log.WithField("URL", req.URL).Warn("client metrics: cannot determine resource host part")
}

routePart := ""
if route := mux.CurrentRoute(req); route != nil {
routePart = route.GetName()
}
if routePart == "" {
log.WithField("URL", req.URL).Warn("client metrics: cannot determine resource route part")
routePart = "unknown"
}
if routePart == "root" {
routePart = ""
} else {
routePart = "/" + routePart
}
return hostPart + routePart
}

func getResourceHost(req *http.Request) string {
coords := getWorkspaceCoords(req)

var parts []string

if coords.Foreign {
parts = append(parts, "foreign_content")
}

if coords.ID != "" {
workspacePart := "workspace"
if coords.Debug {
workspacePart = "debug_" + workspacePart
}
if coords.Port != "" {
workspacePart += "_port"
}
parts = append(parts, workspacePart)
}
return strings.Join(parts, "/")
}
12 changes: 7 additions & 5 deletions components/ws-proxy/pkg/proxy/pass.go
Original file line number Diff line number Diff line change
Expand Up @@ -41,7 +41,7 @@ type proxyPassOpt func(h *proxyPassConfig)
type errorHandler func(http.ResponseWriter, *http.Request, error)

// targetResolver is a function that determines to which target to forward the given HTTP request to.
type targetResolver func(*Config, common.WorkspaceInfoProvider, *http.Request) (*url.URL, error)
type targetResolver func(*Config, common.WorkspaceInfoProvider, *http.Request) (*url.URL, string, error)

type responseHandler func(*http.Response, *http.Request) error

Expand Down Expand Up @@ -119,7 +119,7 @@ func proxyPass(config *RouteHandlerConfig, infoProvider common.WorkspaceInfoProv
}

return func(w http.ResponseWriter, req *http.Request) {
targetURL, err := h.TargetResolver(config.Config, infoProvider, req)
targetURL, targetResource, err := h.TargetResolver(config.Config, infoProvider, req)
if err != nil {
if h.ErrorHandler != nil {
h.ErrorHandler(w, req, err)
Expand All @@ -128,6 +128,8 @@ func proxyPass(config *RouteHandlerConfig, infoProvider common.WorkspaceInfoProv
}
return
}
req = withResourceMetricsLabel(req, targetResource)
req = withHttpVersionMetricsLabel(req)

originalURL := *req.URL

Expand Down Expand Up @@ -216,10 +218,10 @@ func withErrorHandler(h errorHandler) proxyPassOpt {
}
}

func createDefaultTransport(config *TransportConfig) *http.Transport {
func createDefaultTransport(config *TransportConfig) http.RoundTripper {
// TODO equivalent of client_max_body_size 2048m; necessary ???
// this is based on http.DefaultTransport, with some values exposed to config
return &http.Transport{
return instrumentClientMetrics(&http.Transport{
Proxy: http.ProxyFromEnvironment,
DialContext: (&net.Dialer{
Timeout: time.Duration(config.ConnectTimeout), // default: 30s
Expand All @@ -232,7 +234,7 @@ func createDefaultTransport(config *TransportConfig) *http.Transport {
IdleConnTimeout: time.Duration(config.IdleConnTimeout), // default: 90s
TLSHandshakeTimeout: 10 * time.Second,
ExpectContinueTimeout: 1 * time.Second,
}
})
}

// tell the browser to cache for 1 year and don't ask the server during this period.
Expand Down
Loading
Loading