安装

go get -u github.com/kataras/iris
若遇到下面这种情况:
image.png
可删除保存路径中的kataras目录,并执行go get github.com/kataras/iris/v12@master

快速开始

创建一个空文件,假设它的名字是example.go,然后打开它并复制粘贴下面的代码。

  1. package main
  2. import "github.com/kataras/iris/v12"
  3. func main() {
  4. app := iris.Default()
  5. app.Use(myMiddleware) // 使用自定义的中间件,这里和gin很相似
  6. app.Handle("GET", "/ping", func(ctx iris.Context) {
  7. ctx.JSON(iris.Map{"message": "pong"})
  8. })
  9. // 监听8080端口
  10. app.Listen(":8080")
  11. }
  12. func myMiddleware(ctx iris.Context) {
  13. ctx.Application().Logger().Infof("Runs before %s", ctx.Path())
  14. ctx.Next()
  15. }

Show me more

  1. package main
  2. import "github.com/kataras/iris/v12"
  3. func main() {
  4. app := iris.New()
  5. // 加载./view文件夹下所有的模板文件,如果它们的后缀是./html,则解析它们
  6. // 使用标准的' html/template '包
  7. app.RegisterView(iris.HTML("./views", ".html"))
  8. // Method: GET
  9. // Resource: http://localhost:8080
  10. app.Get("/", func(ctx iris.Context) {
  11. // 绑定kv
  12. ctx.ViewData("message", "Hello world!")
  13. // 渲染模板文件./views.hello.html
  14. ctx.View("hello.html")
  15. })
  16. // Method: GET
  17. // Resource: http://localhost:8080/user/42
  18. // 获取GET路径上的param
  19. app.Get("/user/{id:uint64}", func(ctx iris.Context) {
  20. userID, _ := ctx.Params().GetUint64("id")
  21. ctx.Writef("User ID: %d", userID)
  22. })
  23. // 监听端口
  24. app.Listen(":8080")
  25. }
  1. <!-- file: ./views/hello.html -->
  2. <html>
  3. <head>
  4. <title>Hello Page</title>
  5. </head>
  6. <body>
  7. <h1>{{.message}}</h1>
  8. </body>
  9. </html>

路由

Handler

一个Handler,正如其名,用于处理请求。
一个处理程序用于响应 HTTP 请求。它把响应头和数据写入 Context.ResponseWriter() 然后返回请求完成的的信号。
在请求完成之后是不能使用上下文的。
取决于 HTTP 客户端软件,HTTP 协议版本,以及任何客户端和服务器之间的中间件,在写入 context.ResponseWriter() 之后可能无法从 Context.Request().Body 读取内容。严谨的处理程序应该首先读取 Context.Request().Body ,然后再响应。除了读取请求体,处理程序不应该更改修改提供的上下文。如果处理程序崩溃掉,服务器任务崩溃只是影响了当前的请求。恢复之后,记录错误日志中然后挂断连接。

  1. type Handler func(Context)

API

所有的 HTTP 方法都支持,开发者可以为相同路径的处理程序注册不同的方法。
第一个参数是 HTTP 方法,第二个参数是路由路径,第三个可变参数应该包含一个或者多个 iris.Handler,当获取某个资源的请求从服务器到来时,处理器按照注册顺序被调用执行。
示例代码:

  1. app := iris.New()
  2. app.Handle("GET","/contact",func(ctx iris.Context){
  3. ctx.HTML("<h1>Hello from /contact </h1>")
  4. })

为了让开发者更容易开发处理程序,iris 提供了所有的 HTTP 方法。第一个参数是路由路径,第二个可变参数是一个或者多个 iris.Handler。
示例代码:

  1. app := iris.New()
  2. // 方法: "GET"
  3. app.Get("/", handler)
  4. // 方法: "POST"
  5. app.Post("/", handler)
  6. // 方法: "PUT"
  7. app.Put("/", handler)
  8. // 方法: "DELETE"
  9. app.Delete("/", handler)
  10. // 方法: "OPTIONS"
  11. app.Options("/", handler)
  12. // 方法: "TRACE"
  13. app.Trace("/", handler)
  14. // 方法: "CONNECT"
  15. app.Connect("/", handler)
  16. // 方法: "HEAD"
  17. app.Head("/", handler)
  18. // 方法: "PATCH"
  19. app.Patch("/", handler)
  20. // 用于所有 HTTP 方法
  21. app.Any("/", handler)
  22. func handler(ctx iris.Context){
  23. ctx.Writef("Hello from method: %s and path: %s", ctx.Method(), ctx.Path())
  24. }

路由分组

一组路由可以用前缀路径分组,组之间共享相同的中间件和模板布局,组内可以嵌套组。
.Party 被用于分组路由,开发者可以声明不限数量的分组。
示例代码:

  1. func main() {
  2. app := iris.New()
  3. users := app.Party("/user",MyMiddleware)
  4. users.Get("/{id:int}/profile",userProfileHandler)
  5. users.Get("/messages/{id:int}",userMessageHandler)
  6. app.Run(iris.Addr(":8080"))
  7. }
  8. // 处理器函数
  9. func userProfileHandler(ctx iris.Context){
  10. p,_ := ctx.Params().GetInt("id")
  11. ctx.Writef("userProfileHandler p = %d",p)
  12. }
  13. // 处理器函数
  14. func userMessageHandler(ctx iris.Context){
  15. p, _ := ctx.Params().GetInt("id")
  16. ctx.Writef("userMessageHandler p = %d",p)
  17. }
  18. // 中间件
  19. func MyMiddleware(ctx iris.Context){
  20. ctx.Application().Logger().Infof("Runs before %s",ctx.Path())
  21. ctx.Next()
  22. }

同样也可以这样写,使用一个接收子路由的函数:

  1. app := iris.New()
  2. app.PartyFunc("/users",func(users iris.Party){
  3. users.Use(MyMiddleware)
  4. users.Get("/{id:int}/profile",userProfileHandler)
  5. users.Get("/messages/{id:int}",userMessageHandler)
  6. })
  7. app.Run(iris.Addr(":8080"))

Context机制

上下文是服务器用于所有客户端的中间人“对象”,对于每一个新的链接,都会从sync.Pool中获取一个新上下文对象。
上下文是iris的http流中最重要的部分。
开发者发送响应到客户端的请求通过一个上下文,开发者获取请求信息从客户端的请求上下文中。
context是context.Context子包的实现,context.Context是很好的扩展,所以开发者可以按照实际所需重写它的方法。

  1. type Context interface{
  2. // ResponseWriter 如期返回一个兼容 http.ResponseWriter 的 响应writer。
  3. ResponseWriter() ResponseWriter
  4. // ResetResponseWriter 应该改变或者升级上下文的 ResponseWriter。
  5. ResetResponseWriter(ResponseWriter)
  6. // Request 方法如期返回原始的 *http.Request。
  7. Request() *http.Request
  8. // SetCurrentRouteName 方法设置内部路由名称,为了当开发者调用
  9. // `GetCurrentRoute()` 方法的时候能够正确返回当前 「只读」 路由。
  10. // 它使用 Router 初始化,如果你手动更改了名称,除了当你是使用`GetCurrentRoute()`
  11. // 的时候将获取到其他路由,其它没啥变化。
  12. // 为了从上下文中执行一个不同的路径,你应该使用 `Exec` 函数,
  13. // 或者通过 `SetHandlers/AddHandler` 函数改变处理方法。
  14. SetCurrentRouteName(currentRouteName string)
  15. // GetCurrentRoute 返回当前注册到当前请求路径的 「只读」路由。
  16. GetCurrentRoute() RouteReadOnly
  17. // AddHandler 可以在服务时添加处理方法到当前请求,但是这些处理方法不会持久化到路由。
  18. //
  19. // Router 将会调用这些添加到某个路由的处理方法。如果 AddHandler 被调用,
  20. // 那么处理方法将被添加到已经定义的路由的处理方法的后面。
  21. AddHandler(...Handler)
  22. // SetHandlers 替换所有原有的处理方法。
  23. SetHandlers(Handlers)
  24. // Handlers 记录当前的处理方法。
  25. Handlers() Handlers
  26. // HandlerIndex 设置当前上下文处理方法链中当前索引。
  27. // 如果传入 -1 ,不会当前索引。
  28. //
  29. // 也可以查看 Handlers(), Next() and StopExecution()。
  30. HandlerIndex(n int) (currentIndex int)
  31. // HandlerName 返回当前路由名称,方便调试。
  32. HandlerName() string
  33. // Next 调用从处理方法链中选择剩下的进行调用,他应该被用于一个中间件中。
  34. //
  35. // 提醒:自定义的上下文应该重写这个方法,以便能够传入他自己的 context.Context 实现。
  36. Next()
  37. // NextHandler 从处理链中返回下一个处理方法(但不执行)。
  38. //
  39. // 为了执行下一个 ,可以使用 .Skip() 跳过某个处理方法。
  40. NextHandler() Handler
  41. // Skip 从处理链中 忽略/跳过 下一个处理方法。
  42. // 它应该在中间件内使用。
  43. Skip()
  44. // 如果调用了 StopExecution ,接下来的 .Next 调用将被局略。
  45. StopExecution()
  46. // IsStopped 检查当前位置的Context是否是255, 如果是, 则返回true, 意味着 StopExecution() 被调用了。
  47. IsStopped() bool
  48. // +------------------------------------------------------------+
  49. // | 当前的 "user/request" 存储 |
  50. // | 处理方法之间共享信息 - Values(). |
  51. // | 保存并获取路径参数 - Params() |
  52. // +------------------------------------------------------------+
  53. // Params 返回当前URL中的命名参数。命名的路径参数是被保存在这里的。
  54. // 这个存储对象随着整个上下文,存活于每个请求声明周期。
  55. Params() *RequestParams
  56. // Values 返回当前 「用户」的存储信息。
  57. // 命名路径参数和任何可选数据可以保存在这里。
  58. // 这个存储对象,也是存在于整个上下文,每个请求的声明周期中。
  59. //
  60. // 你可以用这个函数设置和获取用于在处理方法和中间件之间共享信息的局部值。
  61. Values() *memstore.Store
  62. // Translate 是 i18n 函数,用于本地化。它调用 Get("translate") 返回翻译值。
  63. //
  64. // 示例:https://github.com/kataras/iris/tree/master/_examples/miscellaneous/i18n
  65. Translate(format string, args ...interface{}) string
  66. // +------------------------------------------------------------+
  67. // | 路径, 主机, 子域名, IP, HTTP 头 等 |
  68. // +------------------------------------------------------------+
  69. // Method 返回 request.Method, 客户端的请求方法。
  70. Method() string
  71. // Path 返回完整请求路径,如果 EnablePathEscape 为 True,将会转义。
  72. Path() string
  73. // RequestPath 返回转义过的请求完整路径。
  74. RequestPath(escape bool) string
  75. // Host 返回当前URL的主机部分。
  76. Host() string
  77. // Subdomain 返回当前请求的子域名,如果有。
  78. // 提醒,这个方法可能在某些情况下不能正常使用。
  79. Subdomain() (subdomain string)
  80. // RemoteAddr 尝试解析并返回客户端正式IP。
  81. //
  82. // 基于允许的头名称,可以通过 Configuration.RemoteAddrHeaders 修改。
  83. //
  84. // 如果基于这些请求头的解析失败,将会 Request 的 `RemoteAddr` 字段,它在 Http 处理方法之前有 server 填充。
  85. //
  86. // 查看 `Configuration.RemoteAddrHeaders`,
  87. // `Configuration.WithRemoteAddrHeader(...)`,
  88. // `Configuration.WithoutRemoteAddrHeader(...)` 获取更多信息。
  89. RemoteAddr() string
  90. // GetHeader 返回指定的请求头值。
  91. GetHeader(name string) string
  92. // IsAjax 返回这个请求是否是一个 'ajax request'( XMLHttpRequest)。
  93. //
  94. // 不能百分之百确定一个请求是否是Ajax模式。
  95. // 永远不要信任来自客户端的数据,他们很容易被篡改。
  96. //
  97. // 提醒,"X-Requested-With" 头可以被任何客户端修改,对于十分严重的情况,不要依赖于 IsAjax。
  98. // 试试另外的鉴别方式,例如,内容类型(content-type)。
  99. // 有很多描述这些问题的博客并且提供了很多不同的解决方案,这就是为什么说 `IsAjax`
  100. // 太简单,只能用于一般目的。
  101. //
  102. // 更多请看: https://developer.mozilla.org/en-US/docs/AJAX
  103. // 以及: https://xhr.spec.whatwg.org/
  104. IsAjax() bool
  105. // +------------------------------------------------------------+
  106. // | 响应头助手 |
  107. // +------------------------------------------------------------+
  108. // Header 添加响应头到响应 writer。
  109. Header(name string, value string)
  110. // ContentType 设置响应头 "Content-Type" 为 'cType'。
  111. ContentType(cType string)
  112. // GetContentType 返回响应头 "Content-Type" 的值。
  113. GetContentType() string
  114. // StatusCode 设置响应状态码。
  115. // 也可查看 .GetStatusCode。
  116. StatusCode(statusCode int)
  117. // GetStatusCode 返回当前响应的状态码。
  118. // 也可查阅 StatusCode。
  119. GetStatusCode() int
  120. // Redirect 发送一个重定向响应到客户端,接受两个参数,字符串和可选的证书。
  121. // 第一个参数是重定向的URL,第二个是重定向状态码,默认是302。
  122. // 如果必要,你可以设置为301,代表永久转义。
  123. Redirect(urlToRedirect string, statusHeader ...int)
  124. // +------------------------------------------------------------+
  125. // | 各种请求和 POST 数据 |
  126. // +------------------------------------------------------------+
  127. // URLParam 返回请求中的参数,如果有。
  128. URLParam(name string) string
  129. // URLParamInt 从请求返回 int 类型的URL参数,如果解析失败,返回错误。
  130. URLParamInt(name string) (int, error)
  131. // URLParamInt64 从请求返回 int64 类型的参数,如果解析失败,返回错误。
  132. URLParamInt64(name string) (int64, error)
  133. // URLParams 返回请求查询参数映射,如果没有,返回为空。
  134. URLParams() map[string]string
  135. // FormValue 返回一个表单值。
  136. FormValue(name string) string
  137. // FormValues 从 data,get,post 和 查询参数中返回所有的数据值以及他们的键。
  138. //
  139. // 提醒: 检查是否是 nil 是很有必要的。
  140. FormValues() map[string][]string
  141. // PostValue 仅仅根据名称返回表单的post值,类似于 Request.PostFormValue。
  142. PostValue(name string) string
  143. // FormFile 返回键指定的第一个文件。
  144. // 如果有必要,FormFile 调用 ctx.Request.ParseMultipartForm 和 ParseForm。
  145. //
  146. // 类似于 Request.FormFile.
  147. FormFile(key string) (multipart.File, *multipart.FileHeader, error)
  148. // +------------------------------------------------------------+
  149. // | 自定义 HTTP 错误 |
  150. // +------------------------------------------------------------+
  151. // NotFound 发送一个 404 错误到客户端,使用自定义的错误处理方法。
  152. // 如果你不想剩下的处理方法被执行,你可能需要去调用 ctx.StopExecution()。
  153. // 你可以将错误码改成更具体的,例如:
  154. // users := app.Party("/users")
  155. // users.Done(func(ctx context.Context){ if ctx.StatusCode() == 400 { /* custom error code for /users */ }})
  156. NotFound()
  157. // +------------------------------------------------------------+
  158. // | Body Readers |
  159. // +------------------------------------------------------------+
  160. // SetMaxRequestBodySize 设置请求体大小的上限,应该在读取请求体之前调用。
  161. SetMaxRequestBodySize(limitOverBytes int64)
  162. // UnmarshalBody 读取请求体,并把它绑定到一个任何类型或者指针的值。
  163. // 使用实例: context.ReadJSON, context.ReadXML。
  164. UnmarshalBody(v interface{}, unmarshaler Unmarshaler) error
  165. // ReadJSON 从请求体读取 JSON,并把它绑定到任何json有效类型的值。
  166. ReadJSON(jsonObject interface{}) error
  167. // ReadXML 从请求体读取 XML,并把它绑定到任何xml有效类型的值。
  168. ReadXML(xmlObject interface{}) error
  169. // ReadForm 是用表单数据绑定 formObject,支持任何类型的结构体。
  170. ReadForm(formObject interface{}) error
  171. // +------------------------------------------------------------+
  172. // | Body (raw) Writers |
  173. // +------------------------------------------------------------+
  174. // Write 将数据作为一个HTTP响应的一部分写入连接。
  175. //
  176. // 如果 WriteHeader 还没有调用,Write 将在 写入数据之前调用 WriteHeader(http.StatusOK)。
  177. // 如果 Header 没有 Content-Type,Write 添加一个 Content-Type,设置为写入数据的前
  178. // 512 字节的类型。
  179. //
  180. // 取决于 HTTP 版本和客户端,调用 Write 或者 WriteHeader 可能组织以后读取 Request.Body。
  181. // 对于 HTTP/1.x 请求,处理方法应该在写入响应之前读取所有必要的请求体数据。一旦 HTTP 头被清掉
  182. // (显示调用 Flusher.Flush 或者写入了足够的数据触发了清空操作),请求体可能变得不可用。
  183. // 对于 HTTP/2 请求,Go HTTP 服务器允许在写入响应的同时读取请求体。然而,这种行为可能不被所有
  184. // HTTP/2 客户端支持。处理方法应该尽可能读取最大量的数据在写入之前。
  185. Write(body []byte) (int, error)
  186. // Writef 根据格式声明器格式化,然后写入响应。
  187. //
  188. // 返回写入的字节数量以及任何写入错误。
  189. Writef(format string, args ...interface{}) (int, error)
  190. // WriteString 将一个简单的字符串写入响应。
  191. //
  192. // 返回写入的字节数量以及任何写入错误。
  193. WriteString(body string) (int, error)
  194. // WriteWithExpiration 很像 Write,但是它发送了一个失效时间,它会被每个包级别的
  195. // `StaticCacheDuration` 字段刷新。
  196. WriteWithExpiration(body []byte, modtime time.Time) (int, error)
  197. // StreamWriter 注册给定的流用于发布响应体。
  198. //
  199. // 这个函数可能被用于一下这些情况:
  200. //
  201. // * 如果响应体太大(超过了iris.LimitRequestBodySize)
  202. // * 如果响应体是慢慢从外部资源流入
  203. // * 如果响应体必须分片流向客户端(例如 `http server push`)
  204. StreamWriter(writer func(w io.Writer) bool)
  205. // +------------------------------------------------------------+
  206. // | 带压缩的 Body Writers |
  207. // +------------------------------------------------------------+
  208. // 如果客户端支持 gzip 压缩,ClientSupportsGzip 返回 true。
  209. ClientSupportsGzip() bool
  210. // WriteGzip accepts bytes, which are compressed to gzip format and sent to the client.
  211. // WriteGzip 接受压缩成 gzip 格式的字节然后发送给客户端,并返回写入的字节数量和错误(如果错误不支持 gzip 格式)
  212. //
  213. // 这个函数写入临时的 gzip 内容,ResponseWriter 不会改变。
  214. WriteGzip(b []byte) (int, error)
  215. // TryWriteGzip 接受 gzip 格式压缩的字节,然后发送给客户端。
  216. // 如果客户端不支持 gzip,就按照他们原来未压缩的样子写入。
  217. //
  218. // 这个函数写入临时的 gzip 内容,ResponseWriter 不会改变。
  219. TryWriteGzip(b []byte) (int, error)
  220. // GzipResponseWriter converts the current response writer into a response writer
  221. // GzipResponseWriter 将当前的响应 writer 转化为一个 gzip 响应 writer。
  222. // 当它的 .Write 方法被调用的时候,数据被压缩成 gzip 格式然后把他们写入客户端。
  223. //
  224. // 也可以使用 .Disable 禁用以及使用 .ResetBody 回滚到常规的响应写入器。
  225. GzipResponseWriter() *GzipResponseWriter
  226. // Gzip 开启或者禁用 gzip 响应写入器,如果客户端支持 gzip 压缩,所以接下来的响应数据将被作为
  227. // 压缩的 gzip 数据发送给客户端。
  228. Gzip(enable bool)
  229. // +------------------------------------------------------------+
  230. // | 富文本内容渲染器 |
  231. // +------------------------------------------------------------+
  232. // ViewLayout 设置 「布局」选项,如果随后在相同的请求中 .View 被调用。
  233. // 当需要去改变或者设置处理链中前一个方法的布局时很有用。
  234. //
  235. // 注意 'layoutTmplFile' 参数可以被设置为 iris.NoLayout 或者 view.NoLayout 去禁用某个试图渲染动作的布局。
  236. // 它禁用了配置项的布局属性。
  237. //
  238. // 也可查看 .ViewData 和 .View。
  239. //
  240. // 示例:https://github.com/kataras/iris/tree/master/_examples/view/context-view-data/
  241. ViewLayout(layoutTmplFile string)
  242. // ViewData 保存一个或者多个键值对为了在后续的 .View 被调用的时候使用。
  243. // 当需要处理链中前一个处理器的模板数据的时候是很有用的。
  244. //
  245. // 如果 .View 的绑定参数不是 nil 也不是 map 类型,这些数据就会被忽略,绑定是有优先级的,所以住路由的处理方法仍然有效。
  246. // 如果绑定是一个map或者context.Map,这些数据然后就被添加到视图数据然后传递给模板。
  247. //
  248. // .View 调用之后,这些数据不会被丢掉,为了在必要的时候重用(再次声明,同一个请求中),为了清除这些数据,开发者可以调用
  249. // ctx.Set(ctx.Application().ConfigurationReadOnly().GetViewDataContextKey(), nil)。
  250. //
  251. // 如果 'key' 是空的,然后 值被作为它的(struct 或者 map)添加,并且开发者不能添加其他值。
  252. //
  253. // 推荐查看 .ViewLayout 和 .View。
  254. //
  255. // 示例:https://github.com/kataras/iris/tree/master/_examples/view/context-view-data/
  256. ViewData(key string, value interface{})
  257. // GetViewData 返回 `context#ViewData` 注册的值。
  258. // 返回值是 `map[string]interface{}` 类型,这意味着如果一个自定义的结构体被添加到 ViewData, 这个函数将把它解析成
  259. // map,如果失败返回 nil。
  260. // 如果不同类型的值或者没有数据通过 `ViewData` 注册,检查是否为nil总是好的编程规范。
  261. //
  262. // 类似于 `viewData := ctx.Values().Get("iris.viewData")` 或者
  263. // `viewData := ctx.Values().Get(ctx.Application().ConfigurationReadOnly().GetViewDataContextKey())`。
  264. GetViewData() map[string]interface{}
  265. // View 基于适配的视图引擎渲染模板。第一个参数是接受相对于视图引擎目录的文件名,
  266. // 例如如果目录是 "./templates",想要渲染: "./templates/users/index.html"
  267. // 你应该传递 "users/index.html" 作为文件名参数。
  268. // 也可以查看 .ViewData 和 .ViewLayout。
  269. // 示例:https://github.com/kataras/iris/tree/master/_examples/view/
  270. View(filename string) error
  271. // Binary 将原生字节作为二进制数据返回。
  272. Binary(data []byte) (int, error)
  273. // Text 将字符串作为空白文本返回。
  274. Text(text string) (int, error)
  275. // HTML 将字符串作为 text/html 返回.
  276. HTML(htmlContents string) (int, error)
  277. // JSON 格式化给定的数据并且返回 json 数据。
  278. JSON(v interface{}, options ...JSON) (int, error)
  279. // JSONP 格式化给定的数据并且返回 json 数据。
  280. JSONP(v interface{}, options ...JSONP) (int, error)
  281. // XML 格式话给定数据,并返回 XML 数据。
  282. XML(v interface{}, options ...XML) (int, error)
  283. // Markdown 解析 markdown 数据为 HTML 返回给客户端。
  284. Markdown(markdownB []byte, options ...Markdown) (int, error)
  285. // +------------------------------------------------------------+
  286. // | 文件响应 |
  287. // +------------------------------------------------------------+
  288. // ServeContent 返回的内容头是自动设置的,接受三个参数,它是一个低级的函数,你可以调用 .ServeFile(string,bool)/SendFile(string,string)。
  289. // 这个函数调用之后,你可以定义自己的 "Content-Type" 头,不要实现 resuming,而应该使用 ctx.SendFile。
  290. ServeContent(content io.ReadSeeker, filename string, modtime time.Time, gzipCompression bool) error
  291. // ServeFile 渲染一个视图文件,如果要发送一个文件(例如zip文件)到客户端,你应该使用 SendFile(serverfilename,clientfilename)。
  292. // 接受两个参数:
  293. // filename/path (string)
  294. // gzipCompression (bool)
  295. // 这个函数调用之后,你可以定义自己的 "Content-Type" 头,这个函数没有实现 resuming,你应该使用 ctx.SendFile。
  296. ServeFile(filename string, gzipCompression bool) error
  297. // SendFile 发送强制下载的文件到客户端
  298. //
  299. // 使用这个而不是 ServeFile 用于大文件下载到客户端。
  300. SendFile(filename string, destinationName string) error
  301. // +------------------------------------------------------------+
  302. // | Cookies |
  303. // +------------------------------------------------------------+
  304. // SetCookie 添加cookie
  305. SetCookie(cookie *http.Cookie)
  306. // SetCookieKV 添加一个 cookie,仅仅接受一个名字(字符串)和一个值(字符串)
  307. //
  308. // 如果你用这个方法设置cookie,它将在两小时之后失效。
  309. // 如果你想去设置或者改变更多字段,使用 ctx.SetCookie 或者 http.SetCookie。
  310. SetCookieKV(name, value string)
  311. // GetCookie 通过名称返回值,如果没找到返回空字符串。
  312. GetCookie(name string) string
  313. // RemoveCookie 通过名字删除 cookie。
  314. RemoveCookie(name string)
  315. // VisitAllCookies 接受一个 visitor 循环每个cookie,visitor 接受两个参数:名称和值。
  316. VisitAllCookies(visitor func(name string, value string))
  317. // MaxAge 返回 "cache-control" 请求头的值,单位为:秒,类型为 int64
  318. // 如果头没有发现或者解析失败返回 -1。
  319. MaxAge() int64
  320. // +------------------------------------------------------------+
  321. // | 高级部分: 响应记录器和事务 |
  322. // +------------------------------------------------------------+
  323. // Record 转化上下文基本的 responseWriter 为 ResponseRecorder,它可以被用于在任何时候重置内容体,
  324. // 重置响应头,获取内容体,获取和设置状态码。
  325. Record()
  326. // Recorder 返回上下文的 ResponseRecorder,如果没有 recording 然后它将开始记录并返回新的上下文的 ResponseRecorder。
  327. Recorder() *ResponseRecorder
  328. // IsRecording 返回响应记录器以及一个bool值
  329. // true 表示响应记录器正在记录状态码,内容体,HTTP 头以及更多,否则就是 false
  330. IsRecording() (*ResponseRecorder, bool)
  331. // BeginTransaction 开启一个有界事务。
  332. //
  333. // 你可以搜索第三方文章或者查看事务 Transaction 如何工作(这里相当简单特别)。
  334. //
  335. // 记着这个是唯一的,也是新的,目前为止,我没有在这个项目中看到任何例子和代码,就大多数 iris 功能而言。
  336. // 它没有覆盖所有路径,例如数据库,这个应该由你使用的创建数据库连接的库管理,这个事务域仅仅用于上下文响应,
  337. //
  338. // 阅读 https://github.com/kataras/iris/tree/master/_examples/ 查看更多。
  339. BeginTransaction(pipe func(t *Transaction))
  340. // 如果调用 SkipTransactions 将跳过剩余的事务,或者如果在第一个事务之前调用,将跳过所有
  341. SkipTransactions()
  342. // TransactionsSkipped 返回事务到底被跳过还是被取消了。
  343. TransactionsSkipped() bool
  344. // Exec根据这个上下文调用framewrok的ServeCtx,但是改变了方法和路径,就像用户请求的那样,但事实并非如此。
  345. //
  346. // 离线意味着路线已注册到 iris 并具有正常路由所具有的所有功能。
  347. // 但是它不能通过浏览获得,它的处理程序仅在其他处理程序的上下文调用它们时执行,它可以验证路径,拥有会话,路径参数等。
  348. //
  349. // 你可以通过 app.GetRoute("theRouteName") 找到路由,你可以设置一个路由名称如:
  350. // myRoute := app.Get("/mypath", handler)("theRouteName")
  351. // 这个将给路由设置一个名称并且返回它的 RouteInfo 实例为了进一步使用。
  352. //
  353. // 它不会更改全局状态,如果路由处于“脱机”状态,它将保持脱机状态。
  354. //
  355. // app.None(...) and app.GetRoutes().Offline(route)/.Online(route, method)
  356. //
  357. // 实例:https://github.com/kataras/iris/tree/master/_examples/routing/route-state
  358. //
  359. // 用户可以通过简单调用得到响应:rec := ctx.Recorder(); rec.Body()/rec.StatusCode()/rec.Header()
  360. // Context 的 Values 和 Session 被记住为了能够通过结果路由通信,
  361. // 它仅仅由于特别案例,99% 的用户不会用到的。
  362. Exec(method string, path string)
  363. // Application 返回 属于这个上下文的 iris 实例。
  364. // 值得留意的是这个函数返回 Application 的一个接口,它包含的方法能够安全地在运行是执行。
  365. // 为了开发者的安全性,整个 app 的 字段和方法这里是不可用的。
  366. Application() Application
  367. }

动态路由参数

对于路由的路径生命语法,动态路径参数解析和计算,Iris有自己的解释器,我们简单的把它们叫作”宏”。
路由路径参数标准macor类型。

  1. +------------------------+
  2. | {param:string} |
  3. +------------------------+
  4. string type
  5. anything
  6. +------------------------+
  7. | {param:int} |
  8. +------------------------+
  9. int type
  10. only numbers (0-9)
  11. +------------------------+
  12. | {param:long} |
  13. +------------------------+
  14. int64 type
  15. only numbers (0-9)
  16. +------------------------+
  17. | {param:boolean} |
  18. +------------------------+
  19. bool type
  20. only "1" or "t" or "T" or "TRUE" or "true" or "True"
  21. or "0" or "f" or "F" or "FALSE" or "false" or "False"
  22. +------------------------+
  23. | {param:alphabetical} |
  24. +------------------------+
  25. alphabetical/letter type
  26. letters only (upper or lowercase)
  27. +------------------------+
  28. | {param:file} |
  29. +------------------------+
  30. file type
  31. letters (upper or lowercase)
  32. numbers (0-9)
  33. underscore (_)
  34. dash (-)
  35. point (.)
  36. no spaces ! or other character
  37. +------------------------+
  38. | {param:path} |
  39. +------------------------+
  40. path type
  41. anything, should be the last part, more than one path segment,
  42. i.e: /path1/path2/path3 , ctx.Params().Get("param") == "/path1/path2/path3"

如果没有设置参数类型,默认就是string,所以{param}=={param:string}。
如果在该类型上找不到函数,那么string宏类型的函数将被使用。
除了iris提供的基本类型和一些默认的“宏函数”,我们也可以注册自己的。

  1. // 注册一个明明的路径参数函数。
  2. app.Macros().Get("int").RegisterFunc("min", func(minValue int) func(string) bool {
  3. return func(paramValue string) bool{
  4. n, err := strconv.Atoi(paramValue)
  5. if err != nil {
  6. return false
  7. }
  8. return n >= minValue
  9. }
  10. })
  11. // 第二种写法
  12. import "github.com/kataras/iris/v12/macro"
  13. macro.Int.RegisterFunc("min", func(minValue int) func(string) bool {
  14. return func(paramValue string) bool {
  15. n, err := strconv.Atoi(paramValue)
  16. if err != nil {
  17. return false
  18. }
  19. return n >= minValue
  20. }
  21. })

示例代码:

  1. import (
  2. "github.com/kataras/iris/v12"
  3. "github.com/kataras/iris/v12/macro"
  4. "strconv"
  5. )
  6. func main() {
  7. app := iris.New()
  8. app.Get("/username/{name}", func(ctx iris.Context) {
  9. ctx.Writef("Hello %s",ctx.Params().Get("name"))
  10. })
  11. //// 注册int类型的宏函数
  12. //// min 函数名称
  13. //// minValue 函数参数
  14. //// func(string) bool 宏的路径参数的求值函数,当用户请求包含 min(...)
  15. //app.Macros().Get("int").RegisterFunc("min", func(minValue int) func(string) bool {
  16. // return func(paramValue string) bool{
  17. // n, err := strconv.Atoi(paramValue)
  18. // if err != nil {
  19. // return false
  20. // }
  21. // return n >= minValue
  22. // }
  23. //})
  24. macro.Int.RegisterFunc("min", func(minValue int) func(string) bool {
  25. return func(paramValue string) bool {
  26. n, err := strconv.Atoi(paramValue)
  27. if err != nil {
  28. return false
  29. }
  30. return n >= minValue
  31. }
  32. })
  33. // http://localhost:8080/profile/id>=1
  34. // 如果路由是这样:/profile/0, /profile/blabla, /profile/-1,将抛出404错误
  35. // 宏参数函数是可以省略的。
  36. app.Get("/profile/{id:int min(1)}", func(ctx iris.Context) {
  37. id, _ := ctx.Params().GetInt("id")
  38. ctx.Writef("Hello id:%d",id)
  39. })
  40. // 改变路径参数错误引起的错误码
  41. // 这将抛出504错误码,而不是404,如果所有路由宏没有通过
  42. app.Get("/profile/{id:int min(1)}/friends/{friendid:int min(1) else 504}", func(ctx iris.Context) {
  43. id, _ := ctx.Params().GetInt("id")
  44. friendid, _ := ctx.Params().GetInt("friendid")
  45. ctx.Writef("Hello id:%d looking for friend id:%d",id,friendid)
  46. })
  47. // http://localhostL8080/game/a-zA-Z/level/0-9
  48. // 记着 alphabetical仅仅允许大小写字母
  49. app.Get("/game/{name:alphabetical}/level/{level:int}", func(ctx iris.Context) {
  50. ctx.Writef("name:%s | level:%s",ctx.Params().Get("name"),ctx.Params().Get("level"))
  51. })
  52. // 用一个简单的自定义正则表达式来雁阵一个路径参数仅仅是小写字母
  53. // http://localhost:8080/lowercase/anylowercase
  54. app.Get("/lowercase/{name:string regexp(^[a-z]+)}", func(ctx iris.Context) {
  55. ctx.Writef("name should be only lowercase,otherwise this handler will never executed:%s",ctx.Params().Get("name"))
  56. })
  57. app.Run(iris.Addr(":8080"))
  58. }

一个路径参数名称应该只包含小写字母,像_和数字这样的符号是不允许的。
路径参数值获取通过ctx.Params(),上下文中用于处理器之间通信的局部存储和中间件使用ctx.Value()。

路由中间件

中间件

当我们在 iris 中讨论中间件的时候,我们就是在讨论运行一个 HTTP 请求处理器前后的代码。例如,日志中间件会把即将到来的请求明细写到日志中,然后在写响应日志详细之前,调用处理期代码。比较酷的是这些中间件是松耦合,而且可重用。
中间件仅仅是 func(ctx iris.Context) 的处理器形式,中间件在前一个调用 ctx.Next() 时执行,这个可以用于去认证,例如,如果登录了,调用 ctx.Next() 否则将触发一个错误响应。

中间件开发

  1. package main
  2. import "github.com/kataras/iris/v12"
  3. func main() {
  4. app := iris.New()
  5. app.Get("/",before,mainHandler,after)
  6. app.Run(iris.Addr(":8080"))
  7. }
  8. func before(ctx iris.Context){
  9. shareInformation := "this is a sharable information between handlers"
  10. requestPath := ctx.Path()
  11. println("Before the mainHandler:"+requestPath)
  12. ctx.Values().Set("info",shareInformation)
  13. ctx.Next() // 执行下一个处理器
  14. }
  15. func after(ctx iris.Context){
  16. println("After the mainHandler")
  17. }
  18. func mainHandler(ctx iris.Context){
  19. println("Inside mainHandler")
  20. // 获取“before”处理器中设置的“info”值
  21. info := ctx.Values().GetString("info")
  22. // 响应客户端
  23. ctx.HTML("<h1>Response</h1>")
  24. ctx.HTML("<br/>Info:"+ info)
  25. ctx.Next()
  26. }
  1. Now listening on: http://localhost:8080
  2. Application started. Press CTRL+C to shut down.
  3. Before the mainHandler:/
  4. Inside mainHandler
  5. After the mainHandler

全局

  1. func before(ctx iris.Context){
  2. shareInformation := "this is a sharable information between handlers"
  3. requestPath := ctx.Path()
  4. println("Before the mainHandler:"+requestPath)
  5. ctx.Values().Set("info",shareInformation)
  6. ctx.Next() // 执行下一个处理器
  7. }
  8. func after(ctx iris.Context){
  9. println("After the mainHandler")
  10. }
  11. func indexHandler(ctx iris.Context){
  12. println("Inside mainHandler")
  13. // 获取“before”处理器中设置的“info”值
  14. info := ctx.Values().GetString("info")
  15. // 响应客户端
  16. ctx.HTML("<h1>Index</h1>")
  17. ctx.HTML("<br/>Info:"+ info)
  18. ctx.Next() // 执行通过"Done"注册的"after"处理器
  19. }
  20. func contactHandler(ctx iris.Context){
  21. info := ctx.Values().GetString("info")
  22. // 响应客户端
  23. ctx.HTML("<h1>Contact</h1>")
  24. ctx.HTML("<br/>Info:"+info)
  25. }
  26. func main() {
  27. app := iris.New()
  28. // 注册“before”处理器作为当前域名所有路由中第一个处理函数
  29. app.Use(before)
  30. // 或者使用"UserGlobal"去注册一个中间件,用于在所有子域名中使用
  31. // app.UseGlobal(before)
  32. // 注册“after”,在所有路由处理程序之后调用
  33. app.Done(after)
  34. // 注册路由
  35. app.Get("/",indexHandler)
  36. app.Get("/contact",contactHandler)
  37. app.Run(iris.Addr(":8080"))
  38. }

JWT

  1. package main
  2. import (
  3. "github.com/iris-contrib/middleware/jwt"
  4. "github.com/kataras/iris/v12"
  5. "time"
  6. )
  7. var mySecret = []byte("secret") // 定义秘钥
  8. var j = jwt.New(jwt.Config{
  9. // 设置一个函数返回秘钥,关键在于return mySecret
  10. ValidationKeyGetter: func(token *jwt.Token) (interface{}, error) {
  11. return mySecret,nil
  12. },
  13. Expiration:true, // 是否过期
  14. Extractor: jwt.FromParameter("token"), // 从请求参数token中获取
  15. SigningMethod:jwt.SigningMethodHS256, // 设置加密方法
  16. })
  17. // 生成令牌
  18. func getTokenHandler(ctx iris.Context){
  19. now := time.Now()
  20. token := jwt.NewTokenWithClaims(jwt.SigningMethodHS256,jwt.MapClaims{
  21. "foo":"bar",
  22. "iat":now.Unix(), // 签发时间
  23. "exp":now.Add(15*time.Minute).Unix(), // 过期时间
  24. })
  25. // 生成完整的秘钥
  26. tokenString,_ := token.SignedString(mySecret)
  27. ctx.Writef("jwt=%s",tokenString)
  28. }
  29. // 验证
  30. func myAuthenticatedHandler(ctx iris.Context){
  31. // 验证,验证不通过直接返回
  32. if err := j.CheckJWT(ctx);err != nil {
  33. j.Config.ErrorHandler(ctx, err)
  34. return
  35. }
  36. token := ctx.Values().Get("jwt").(*jwt.Token)
  37. ctx.Writef("This is an authenticated request\n\n")
  38. foobar := token.Claims.(jwt.MapClaims)
  39. ctx.Writef("foo=%s\n",foobar["foo"])
  40. }
  41. func main() {
  42. app := iris.New()
  43. app.Get("/",getTokenHandler)
  44. app.Get("/protected",myAuthenticatedHandler)
  45. app.Listen(":8080")
  46. }

错误处理

当程序产生了一个特定的 http 错误的时候,你可以定义你自己的错误处理代码。
错误代码是大于或者等于 400 的 http 状态码,像 404 not found 或者 500 服务器内部错误。
示例代码:

  1. package main
  2. import "github.com/kataras/iris/v12"
  3. func main() {
  4. app := iris.New()
  5. app.OnErrorCode(iris.StatusNotFound,notFound)
  6. app.OnErrorCode(iris.StatusInternalServerError,internalServerError)
  7. app.Get("/",index)
  8. app.Run(iris.Addr(":8080"))
  9. }
  10. func notFound(ctx iris.Context){
  11. // 出现404的时候,就跳转到views/errors/404.html模板
  12. ctx.View("./views/errors/404.html")
  13. }
  14. func internalServerError(ctx iris.Context){
  15. ctx.WriteString("Oups something went wrong,try again")
  16. }
  17. func index(ctx iris.Context){
  18. ctx.View("index.html")
  19. }

Session

Overview

  1. import "github.com/kataras/iris/v12/sessions"
  2. sess := sessions.Start(http.ResponseWriter, *http.Request)
  3. sess.
  4. ID() string
  5. Get(string) interface{}
  6. HasFlash() bool
  7. GetFlash(string) interface{}
  8. GetFlashString(string) string
  9. GetString(key string) string
  10. GetInt(key string) (int, error)
  11. GetInt64(key string) (int64, error)
  12. GetFloat32(key string) (float32, error)
  13. GetFloat64(key string) (float64, error)
  14. GetBoolean(key string) (bool, error)
  15. GetAll() map[string]interface{}
  16. GetFlashes() map[string]interface{}
  17. VisitAll(cb func(k string, v interface{}))
  18. Set(string, interface{})
  19. SetImmutable(key string, value interface{})
  20. SetFlash(string, interface{})
  21. Delete(string)
  22. Clear()
  23. ClearFlashes()

示例代码:

  1. package main
  2. import (
  3. "github.com/kataras/iris/v12"
  4. "github.com/kataras/iris/v12/sessions"
  5. )
  6. var (
  7. cookieNameForSessionId = "mycookiessionnameid"
  8. sess = sessions.New(sessions.Config{
  9. Cookie: cookieNameForSessionId,
  10. })
  11. )
  12. func secret(ctx iris.Context){
  13. // 检查用户是否已通过身份验证
  14. p := sess.Start(ctx).Get("authenticated")
  15. println(p)
  16. if auth, _ := sess.Start(ctx).GetBoolean("authenticated");!auth{
  17. ctx.StatusCode(iris.StatusForbidden)
  18. return
  19. }
  20. // 打印
  21. ctx.WriteString("The cake is a lie!")
  22. }
  23. func login(ctx iris.Context){
  24. session := sess.Start(ctx)
  25. // 在此进行身份验证
  26. // ...
  27. // 将用户设置为已验证
  28. session.Set("authenticated",true)
  29. ctx.WriteString("登录成功")
  30. }
  31. func logout(ctx iris.Context){
  32. session := sess.Start(ctx)
  33. // 撤销身份认证
  34. session.Set("authenticated",false)
  35. }
  36. func main() {
  37. app := iris.New()
  38. app.Get("/secret",secret)
  39. app.Get("/login",login)
  40. app.Get("/logout",logout)
  41. app.Run(iris.Addr(":8080"))
  42. }