Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

⚠ (feat) Introduce new feature-gated metas endpoint #1643

Merged
merged 15 commits into from
Feb 3, 2025
Merged
8 changes: 6 additions & 2 deletions catalogd/cmd/catalogd/main.go
Original file line number Diff line number Diff line change
Expand Up @@ -302,9 +302,13 @@ func main() {
os.Exit(1)
}

localStorage = storage.LocalDirV1{RootDir: storeDir, RootURL: baseStorageURL}
localStorage = &storage.LocalDirV1{
RootDir: storeDir,
RootURL: baseStorageURL,
EnableQueryHandler: features.CatalogdFeatureGate.Enabled(features.APIV1QueryHandler),
}

// Config for the the catalogd web server
// Config for the catalogd web server
catalogServerConfig := serverutil.CatalogServerConfig{
ExternalAddr: externalAddr,
CatalogAddr: catalogServerAddr,
Expand Down
8 changes: 7 additions & 1 deletion catalogd/internal/features/features.go
Original file line number Diff line number Diff line change
Expand Up @@ -5,7 +5,13 @@ import (
"k8s.io/component-base/featuregate"
)

var catalogdFeatureGates = map[featuregate.Feature]featuregate.FeatureSpec{}
const (
APIV1QueryHandler = featuregate.Feature("APIV1QueryHandler")
)

var catalogdFeatureGates = map[featuregate.Feature]featuregate.FeatureSpec{
APIV1QueryHandler: {Default: false, PreRelease: featuregate.Alpha},
}

var CatalogdFeatureGate featuregate.MutableFeatureGate = featuregate.NewFeatureGate()

Expand Down
17 changes: 11 additions & 6 deletions catalogd/internal/serverutil/serverutil.go
Original file line number Diff line number Diff line change
Expand Up @@ -10,6 +10,7 @@ import (

"github.com/go-logr/logr"
"github.com/gorilla/handlers"
"github.com/klauspost/compress/gzhttp"
ctrl "sigs.k8s.io/controller-runtime"
"sigs.k8s.io/controller-runtime/pkg/certwatcher"
"sigs.k8s.io/controller-runtime/pkg/manager"
Expand Down Expand Up @@ -42,17 +43,12 @@ func AddCatalogServerToManager(mgr ctrl.Manager, cfg CatalogServerConfig, tlsFil
}

shutdownTimeout := 30 * time.Second

l := mgr.GetLogger().WithName("catalogd-http-server")
handler := catalogdmetrics.AddMetricsToHandler(cfg.LocalStorage.StorageServerHandler())
handler = logrLoggingHandler(l, handler)

catalogServer := manager.Server{
Name: "catalogs",
OnlyServeWhenLeader: true,
Server: &http.Server{
Addr: cfg.CatalogAddr,
Handler: handler,
Handler: storageServerHandlerWrapped(mgr.GetLogger().WithName("catalogd-http-server"), cfg),
ReadTimeout: 5 * time.Second,
// TODO: Revert this to 10 seconds if/when the API
// evolves to have significantly smaller responses
Expand Down Expand Up @@ -97,3 +93,12 @@ func logrLoggingHandler(l logr.Logger, handler http.Handler) http.Handler {
l.Info("handled request", "host", host, "username", username, "method", params.Request.Method, "uri", uri, "protocol", params.Request.Proto, "status", params.StatusCode, "size", params.Size)
})
}

func storageServerHandlerWrapped(l logr.Logger, cfg CatalogServerConfig) http.Handler {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Nit (follow-up): We could probably change CatalogServerConfig to have an http.Handler field instead of the entire LocalStorage field?

handler := cfg.LocalStorage.StorageServerHandler()
handler = gzhttp.GzipHandler(handler)
handler = catalogdmetrics.AddMetricsToHandler(handler)

handler = logrLoggingHandler(l, handler)
return handler
}
128 changes: 128 additions & 0 deletions catalogd/internal/serverutil/serverutil_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,128 @@
package serverutil

import (
"compress/gzip"
"context"
"io"
"io/fs"
"net/http"
"net/http/httptest"
"strings"
"testing"

"github.com/go-logr/logr"
"github.com/stretchr/testify/require"
)

func TestStorageServerHandlerWrapped_Gzip(t *testing.T) {
var generatedJSON = func(size int) string {
return "{\"data\":\"" + strings.Repeat("test data ", size) + "\"}"
}
tests := []struct {
name string
acceptEncoding string
responseContent string
expectCompressed bool
expectedStatus int
}{
{
name: "compresses large response when client accepts gzip",
acceptEncoding: "gzip",
responseContent: generatedJSON(1000),
expectCompressed: true,
expectedStatus: http.StatusOK,
},
{
name: "does not compress small response even when client accepts gzip",
acceptEncoding: "gzip",
responseContent: `{"foo":"bar"}`,
expectCompressed: false,
expectedStatus: http.StatusOK,
},
{
name: "does not compress when client doesn't accept gzip",
acceptEncoding: "",
responseContent: generatedJSON(1000),
expectCompressed: false,
expectedStatus: http.StatusOK,
},
}

for _, tt := range tests {
t.Run(tt.name, func(t *testing.T) {
// Create a mock storage instance that returns our test content
mockStorage := &mockStorageInstance{
content: tt.responseContent,
}

cfg := CatalogServerConfig{
LocalStorage: mockStorage,
}
handler := storageServerHandlerWrapped(logr.Logger{}, cfg)

// Create test request
req := httptest.NewRequest("GET", "/test", nil)
if tt.acceptEncoding != "" {
req.Header.Set("Accept-Encoding", tt.acceptEncoding)
}

// Create response recorder
rec := httptest.NewRecorder()

// Handle the request
handler.ServeHTTP(rec, req)

// Check status code
require.Equal(t, tt.expectedStatus, rec.Code)

// Check if response was compressed
wasCompressed := rec.Header().Get("Content-Encoding") == "gzip"
require.Equal(t, tt.expectCompressed, wasCompressed)

// Get the response body
var responseBody []byte
if wasCompressed {
// Decompress the response
gzipReader, err := gzip.NewReader(rec.Body)
require.NoError(t, err)
responseBody, err = io.ReadAll(gzipReader)
require.NoError(t, err)
require.NoError(t, gzipReader.Close())
} else {
responseBody = rec.Body.Bytes()
}

// Verify the response content
require.Equal(t, tt.responseContent, string(responseBody))
})
}
}

// mockStorageInstance implements storage.Instance interface for testing
type mockStorageInstance struct {
content string
}

func (m *mockStorageInstance) StorageServerHandler() http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
_, err := w.Write([]byte(m.content))
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
}
})
}

func (m *mockStorageInstance) Store(ctx context.Context, catalogName string, fs fs.FS) error {
return nil
}

func (m *mockStorageInstance) Delete(catalogName string) error {
return nil
}

func (m *mockStorageInstance) ContentExists(catalog string) bool {
return true
}
func (m *mockStorageInstance) BaseURL(catalog string) string {
return ""
}
Loading
Loading