105 lines
2.3 KiB
Markdown
105 lines
2.3 KiB
Markdown
# Timeout
|
|
|
|
[data:image/s3,"s3://crabby-images/ff17c/ff17cb02a987f78db6fe3573336552ffac0f4894" alt="Run Tests"](https://github.com/gin-contrib/timeout/actions/workflows/go.yml)
|
|
[data:image/s3,"s3://crabby-images/4e4b1/4e4b1b35c55384e4218d909b225dd057794eb035" alt="codecov"](https://codecov.io/gh/gin-contrib/timeout)
|
|
[data:image/s3,"s3://crabby-images/63fed/63fed28c0d6cbe63a51b42ce2fef69ebc214e73a" alt="Go Report Card"](https://goreportcard.com/report/github.com/gin-contrib/timeout)
|
|
[data:image/s3,"s3://crabby-images/b46ae/b46ae56eed1c967b455da8196845823d9c605700" alt="GoDoc"](https://pkg.go.dev/github.com/gin-contrib/timeout?tab=doc)
|
|
[data:image/s3,"s3://crabby-images/55d7b/55d7baa2b87b297b8fc1aec61f3df1ba76ba0e45" alt="Join the chat at https://gitter.im/gin-gonic/gin"](https://gitter.im/gin-gonic/gin)
|
|
|
|
Timeout wraps a handler and aborts the process of the handler if the timeout is reached.
|
|
|
|
## Example
|
|
|
|
```go
|
|
package main
|
|
|
|
import (
|
|
"log"
|
|
"net/http"
|
|
"time"
|
|
|
|
"github.com/gin-contrib/timeout"
|
|
"github.com/gin-gonic/gin"
|
|
)
|
|
|
|
func emptySuccessResponse(c *gin.Context) {
|
|
time.Sleep(200 * time.Microsecond)
|
|
c.String(http.StatusOK, "")
|
|
}
|
|
|
|
func main() {
|
|
r := gin.New()
|
|
|
|
r.GET("/", timeout.New(
|
|
timeout.WithTimeout(100*time.Microsecond),
|
|
timeout.WithHandler(emptySuccessResponse),
|
|
))
|
|
|
|
// Listen and Server in 0.0.0.0:8080
|
|
if err := r.Run(":8080"); err != nil {
|
|
log.Fatal(err)
|
|
}
|
|
}
|
|
```
|
|
|
|
### custom error response
|
|
|
|
Add new error response func:
|
|
|
|
```go
|
|
func testResponse(c *gin.Context) {
|
|
c.String(http.StatusRequestTimeout, "test response")
|
|
}
|
|
```
|
|
|
|
Add `WithResponse` option.
|
|
|
|
```go
|
|
r.GET("/", timeout.New(
|
|
timeout.WithTimeout(100*time.Microsecond),
|
|
timeout.WithHandler(emptySuccessResponse),
|
|
timeout.WithResponse(testResponse),
|
|
))
|
|
```
|
|
|
|
### custom middleware
|
|
|
|
```go
|
|
package main
|
|
|
|
import (
|
|
"log"
|
|
"net/http"
|
|
"time"
|
|
|
|
"github.com/gin-contrib/timeout"
|
|
"github.com/gin-gonic/gin"
|
|
)
|
|
|
|
func testResponse(c *gin.Context) {
|
|
c.String(http.StatusRequestTimeout, "timeout")
|
|
}
|
|
|
|
func timeoutMiddleware() gin.HandlerFunc {
|
|
return timeout.New(
|
|
timeout.WithTimeout(500*time.Millisecond),
|
|
timeout.WithHandler(func(c *gin.Context) {
|
|
c.Next()
|
|
}),
|
|
timeout.WithResponse(testResponse),
|
|
)
|
|
}
|
|
|
|
func main() {
|
|
r := gin.New()
|
|
r.Use(timeoutMiddleware())
|
|
r.GET("/slow", func(c *gin.Context) {
|
|
time.Sleep(800 * time.Millisecond)
|
|
c.Status(http.StatusOK)
|
|
})
|
|
if err := r.Run(":8080"); err != nil {
|
|
log.Fatal(err)
|
|
}
|
|
}
|
|
```
|