package middleware import ( "fmt" "net/http" "net/http/httptest" "testing" "net/url" "github.com/labstack/echo" "github.com/stretchr/testify/assert" ) type ( closeNotifyRecorder struct { *httptest.ResponseRecorder closed chan bool } ) func newCloseNotifyRecorder() *closeNotifyRecorder { return &closeNotifyRecorder{ httptest.NewRecorder(), make(chan bool, 1), } } func (c *closeNotifyRecorder) close() { c.closed <- true } func (c *closeNotifyRecorder) CloseNotify() <-chan bool { return c.closed } func TestProxy(t *testing.T) { // Setup t1 := httptest.NewServer(http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { fmt.Fprint(w, "target 1") })) defer t1.Close() url1, _ := url.Parse(t1.URL) t2 := httptest.NewServer(http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { fmt.Fprint(w, "target 2") })) defer t2.Close() url2, _ := url.Parse(t2.URL) targets := []*ProxyTarget{ &ProxyTarget{ URL: url1, }, &ProxyTarget{ URL: url2, }, } rb := NewRandomBalancer(targets) // Random e := echo.New() e.Use(Proxy(rb)) req := httptest.NewRequest(echo.GET, "/", nil) rec := newCloseNotifyRecorder() e.ServeHTTP(rec, req) body := rec.Body.String() expected := map[string]bool{ "target 1": true, "target 2": true, } assert.Condition(t, func() bool { return expected[body] }) // Round-robin rrb := NewRoundRobinBalancer(targets) e = echo.New() e.Use(Proxy(rrb)) rec = newCloseNotifyRecorder() e.ServeHTTP(rec, req) body = rec.Body.String() assert.Equal(t, "target 1", body) rec = newCloseNotifyRecorder() e.ServeHTTP(rec, req) body = rec.Body.String() assert.Equal(t, "target 2", body) // Rewrite e = echo.New() e.Use(ProxyWithConfig(ProxyConfig{ Balancer: rrb, Rewrite: map[string]string{ "/old": "/new", "/api/*": "/$1", "/js/*": "/public/javascripts/$1", "/users/*/orders/*": "/user/$1/order/$2", }, })) req.URL.Path = "/api/users" e.ServeHTTP(rec, req) assert.Equal(t, "/users", req.URL.Path) req.URL.Path = "/js/main.js" e.ServeHTTP(rec, req) assert.Equal(t, "/public/javascripts/main.js", req.URL.Path) req.URL.Path = "/old" e.ServeHTTP(rec, req) assert.Equal(t, "/new", req.URL.Path) req.URL.Path = "/users/jack/orders/1" e.ServeHTTP(rec, req) assert.Equal(t, "/user/jack/order/1", req.URL.Path) }