mirror of
https://github.com/labstack/echo.git
synced 2024-11-24 08:22:21 +02:00
6d9e043284
This reintroduces support for Go modules, as v4. CloseNotifier() is removed as it has been obsoleted, see https://golang.org/doc/go1.11#net/http It was already NOT working (not sending signals) as of 1.11 the functionality was gone, we merely deleted the functions that exposed it. If anyone still relies on it they should migrate to using `c.Request().Context().Done()` instead. Closes #1268, #1255
92 lines
1.9 KiB
Go
92 lines
1.9 KiB
Go
package middleware
|
|
|
|
import (
|
|
"errors"
|
|
"io/ioutil"
|
|
"net/http"
|
|
"net/http/httptest"
|
|
"strings"
|
|
"testing"
|
|
|
|
"github.com/labstack/echo/v4"
|
|
"github.com/stretchr/testify/assert"
|
|
)
|
|
|
|
func TestBodyDump(t *testing.T) {
|
|
e := echo.New()
|
|
hw := "Hello, World!"
|
|
req := httptest.NewRequest(http.MethodPost, "/", strings.NewReader(hw))
|
|
rec := httptest.NewRecorder()
|
|
c := e.NewContext(req, rec)
|
|
h := func(c echo.Context) error {
|
|
body, err := ioutil.ReadAll(c.Request().Body)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
return c.String(http.StatusOK, string(body))
|
|
}
|
|
|
|
requestBody := ""
|
|
responseBody := ""
|
|
mw := BodyDump(func(c echo.Context, reqBody, resBody []byte) {
|
|
requestBody = string(reqBody)
|
|
responseBody = string(resBody)
|
|
})
|
|
|
|
assert := assert.New(t)
|
|
|
|
if assert.NoError(mw(h)(c)) {
|
|
assert.Equal(requestBody, hw)
|
|
assert.Equal(responseBody, hw)
|
|
assert.Equal(http.StatusOK, rec.Code)
|
|
assert.Equal(hw, rec.Body.String())
|
|
}
|
|
|
|
// Must set default skipper
|
|
BodyDumpWithConfig(BodyDumpConfig{
|
|
Skipper: nil,
|
|
Handler: func(c echo.Context, reqBody, resBody []byte) {
|
|
requestBody = string(reqBody)
|
|
responseBody = string(resBody)
|
|
},
|
|
})
|
|
}
|
|
|
|
func TestBodyDumpFails(t *testing.T) {
|
|
e := echo.New()
|
|
hw := "Hello, World!"
|
|
req := httptest.NewRequest(http.MethodPost, "/", strings.NewReader(hw))
|
|
rec := httptest.NewRecorder()
|
|
c := e.NewContext(req, rec)
|
|
h := func(c echo.Context) error {
|
|
return errors.New("some error")
|
|
}
|
|
|
|
mw := BodyDump(func(c echo.Context, reqBody, resBody []byte) {})
|
|
|
|
if !assert.Error(t, mw(h)(c)) {
|
|
t.FailNow()
|
|
}
|
|
|
|
assert.Panics(t, func() {
|
|
mw = BodyDumpWithConfig(BodyDumpConfig{
|
|
Skipper: nil,
|
|
Handler: nil,
|
|
})
|
|
})
|
|
|
|
assert.NotPanics(t, func() {
|
|
mw = BodyDumpWithConfig(BodyDumpConfig{
|
|
Skipper: func(c echo.Context) bool {
|
|
return true
|
|
},
|
|
Handler: func(c echo.Context, reqBody, resBody []byte) {
|
|
},
|
|
})
|
|
|
|
if !assert.Error(t, mw(h)(c)) {
|
|
t.FailNow()
|
|
}
|
|
})
|
|
}
|