1. 上传单个文件

  • multipart/form-data格式用于文件上传

  • gin文件上传与原生的net/http方法类似,不同在于gin把原生的request封装到c.Request中

  1. <!DOCTYPE html>
  2. <html lang="en">
  3. <head>
  4. <meta charset="UTF-8">
  5. <meta name="viewport" content="width=device-width, initial-scale=1.0">
  6. <meta http-equiv="X-UA-Compatible" content="ie=edge">
  7. <title>Document</title>
  8. </head>
  9. <body>
  10. <form action="http://localhost:8080/upload" method="post" enctype="multipart/form-data">
  11. 上传文件:<input type="file" name="file" >
  12. <input type="submit" value="提交">
  13. </form>
  14. </body>
  15. </html>
  1. package main
  2. import (
  3. "github.com/gin-gonic/gin"
  4. )
  5. func main() {
  6. r := gin.Default()
  7. //限制上传最大尺寸
  8. r.MaxMultipartMemory = 8 << 20
  9. r.POST("/upload", func(c *gin.Context) {
  10. file, err := c.FormFile("file")
  11. if err != nil {
  12. c.String(500, "上传图片出错")
  13. }
  14. // c.JSON(200, gin.H{"message": file.Header.Context})
  15. c.SaveUploadedFile(file, file.Filename)
  16. c.String(http.StatusOK, file.Filename)
  17. })
  18. r.Run()
  19. }

效果演示:

上传单个文件 - 图1

上传单个文件 - 图2

1.1.1. 上传特定文件

有的用户上传文件需要限制上传文件的类型以及上传文件的大小,但是gin框架暂时没有这些函数(也有可能是我没找到),因此基于原生的函数写法自己写了一个可以限制大小以及文件类型的上传函数

  1. package main
  2. import (
  3. "fmt"
  4. "log"
  5. "net/http"
  6. "github.com/gin-gonic/gin"
  7. )
  8. func main() {
  9. r := gin.Default()
  10. r.POST("/upload", func(c *gin.Context) {
  11. _, headers, err := c.Request.FormFile("file")
  12. if err != nil {
  13. log.Printf("Error when try to get file: %v", err)
  14. }
  15. //headers.Size 获取文件大小
  16. if headers.Size > 1024*1024*2 {
  17. fmt.Println("文件太大了")
  18. return
  19. }
  20. //headers.Header.Get("Content-Type")获取上传文件的类型
  21. if headers.Header.Get("Content-Type") != "image/png" {
  22. fmt.Println("只允许上传png图片")
  23. return
  24. }
  25. c.SaveUploadedFile(headers, "./video/"+headers.Filename)
  26. c.String(http.StatusOK, headers.Filename)
  27. })
  28. r.Run()
  29. }