Context

echo.Context 代表了当前 HTTP 请求的 context(上下文?这里看个人理解吧,就不翻译了)。
它含有请求和相应的引用,路径,路径参数,数据,注册的业务处理方法和读取请求和输出响应的API。
由于 Context 是一个接口,所以也可以很方便的使用自定义的 API 扩展。

扩展 Context

自定义一个 context

  1. type CustomContext struct {
  2. echo.Context
  3. }
  4. func (c *CustomContext) Foo() {
  5. println("foo")
  6. }
  7. func (c *CustomContext) Bar() {
  8. println("bar")
  9. }

创建一个中间件来扩展默认的 context

  1. e.Use(func(h echo.HandlerFunc) echo.HandlerFunc {
  2. return func(c echo.Context) error {
  3. cc := &CustomContext{c}
  4. return h(cc)
  5. }
  6. })

这个中间件要在所有其它中间件之前注册到路由上。

在业务处理中使用

  1. e.Get("/", func(c echo.Context) error {
  2. cc := c.(*CustomContext)
  3. cc.Foo()
  4. cc.Bar()
  5. return cc.String(200, "OK")
  6. })