Skip to content

Multiple files

Use c.MultipartForm to receive multiple files uploaded in a single request. The files are grouped by the form field name — use the same field name for all files you want to upload together.

package main
import (
"fmt"
"log"
"net/http"
"path/filepath"
"github.com/gin-gonic/gin"
)
func main() {
router := gin.Default()
// Set a lower memory limit for multipart forms (default is 32 MiB)
router.MaxMultipartMemory = 8 << 20 // 8 MiB
router.POST("/upload", func(c *gin.Context) {
// Multipart form
form, err := c.MultipartForm()
if err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})
return
}
files := form.File["files"]
for _, file := range files {
log.Println(file.Filename)
// Upload the file to specific dst.
dst := filepath.Join("./files/", filepath.Base(file.Filename))
c.SaveUploadedFile(file, dst)
}
c.String(http.StatusOK, fmt.Sprintf("%d files uploaded!", len(files)))
})
router.Run(":8080")
}

Test it

Terminal window
curl -X POST http://localhost:8080/upload \
-F "files=@/path/to/test1.zip" \
-F "files=@/path/to/test2.zip" \
-H "Content-Type: multipart/form-data"
# Output: 2 files uploaded!

See also