file-download
File Download
原文:https://echo.labstack.com/docs/cookbook/file-download
Download file
Server
cookbook/file-download/server.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
| package main
import (
"github.com/labstack/echo/v4"
"github.com/labstack/echo/v4/middleware"
)
func main() {
e := echo.New()
e.Use(middleware.Logger())
e.Use(middleware.Recover())
e.GET("/", func(c echo.Context) error {
return c.File("index.html")
})
e.GET("/file", func(c echo.Context) error {
return c.File("echo.svg")
})
e.Logger.Fatal(e.Start(":1323"))
}
|
Client
xxxxxxxxxx21 1package main23import (4 “net/http"56 “github.com/GeertJohan/go.rice"7 “github.com/labstack/echo/v4"8)910func main() {11 e := echo.New()12 // the file server for rice. “app” is the folder where the files come from.13 assetHandler := http.FileServer(rice.MustFindBox(“app”).HTTPBox())14 // serves the index.html from rice15 e.GET(”/”, echo.WrapHandler(assetHandler))1617 // servers other static files18 e.GET("/static/*”, echo.WrapHandler(http.StripPrefix("/static/", assetHandler)))1920 e.Logger.Fatal(e.Start(":1323"))21}go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
| <!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>File download</title>
</head>
<body>
<p>
<a href="/file">File download</a>
</p>
</body>
</html>
|
Download file as inline
Server
cookbook/file-download/inline/server.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
| package main
import (
"github.com/labstack/echo/v4"
"github.com/labstack/echo/v4/middleware"
)
func main() {
e := echo.New()
e.Use(middleware.Logger())
e.Use(middleware.Recover())
e.GET("/", func(c echo.Context) error {
return c.File("index.html")
})
e.GET("/inline", func(c echo.Context) error {
return c.Inline("inline.txt", "inline.txt")
})
e.Logger.Fatal(e.Start(":1323"))
}
|
Client
cookbook/file-download/inline/index.html
1
2
3
4
5
6
7
8
9
10
11
12
13
14
| <!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>File download</title>
</head>
<body>
<p>
<a href="/inline">Inline file download</a>
</p>
</body>
</html>
|
Download file as attachment
Server
cookbook/file-download/attachment/server.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
| package main
import (
"github.com/labstack/echo/v4"
"github.com/labstack/echo/v4/middleware"
)
func main() {
e := echo.New()
e.Use(middleware.Logger())
e.Use(middleware.Recover())
e.GET("/", func(c echo.Context) error {
return c.File("index.html")
})
e.GET("/attachment", func(c echo.Context) error {
return c.Attachment("attachment.txt", "attachment.txt")
})
e.Logger.Fatal(e.Start(":1323"))
}
|
Client
cookbook/file-download/attachment/index.html
1
2
3
4
5
6
7
8
9
10
11
12
13
14
| <!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>File download</title>
</head>
<body>
<p>
<a href="/attachment">Attachment file download</a>
</p>
</body>
</html>
|