其他分享
首页 > 其他分享> > gin中的文件上传

gin中的文件上传

作者:互联网

1. 单文件上传

package main

import (
	"fmt"
	"github.com/gin-gonic/gin"
	"log"
)

func main() {
	router := gin.Default()
	//为 multipart forms 设置较低的内存限制 (默认是 32 MiB)
	router.MaxMultipartMemory = 8 << 20
	router.POST("/upload", func(context *gin.Context) {
		// 单文件上传
		file, _ := context.FormFile("file")
		log.Println(file.Filename)
		// 上传文件到指定目录
		dst := fmt.Sprintf("./%s", file.Filename)
		context.SaveUploadedFile(file, dst)
		context.String(200, fmt.Sprintf("%s, uploaded!, Size: %d", file.Filename, file.Size))
	})
	router.Run()
}

  

2. 多文件上传

package main

import (
	"fmt"
	"github.com/gin-gonic/gin"
	"log"
	"net/http"
)

func main() {
	router := gin.Default()
	//为 multipart forms 设置较低的内存限制 (默认是 32 MiB)
	router.MaxMultipartMemory = 8 << 20  // 8M
	router.POST("/upload", func(context *gin.Context) {
		// 多文件上传
		form, _ := context.MultipartForm()
		files := form.File["upload"]
		for _, file := range files {
			log.Println(file.Filename)
			// 保存文件
			dst := fmt.Sprintf("./%s", file.Filename)
			context.SaveUploadedFile(file, dst)
		}
		context.String(http.StatusOK, fmt.Sprintf("%d files uploaded!", len(files)))
	})
	router.Run()
}

  

标签:文件,multipart,func,router,gin,main,上传
来源: https://www.cnblogs.com/mayanan/p/15429414.html