0

我正在使用 gin-gonic 包创建一个 API,并且我坚持使用文件上传处理程序。这是我的代码:

func postPicture(c *gin.Context) {
    id, ok := c.Params.Get("fileId")
    if !ok {...} // Err Handling
    user, ok := c.Params.Get("user")
    if !ok {...} // Err Handling
    file, _, err := c.Request.FormFile("file") // Here is the bug
    if err != nil {
        Common.Debug("Error: " + err.Error())
        c.JSON(http.StatusBadRequest, Common.JsonError{"Error", err.Error()})
        return
    } // Err Handling

    path := "./Files/" + user + "/pictures"
    filename := id + ".jpg"
    if _, err := os.Stat(path); os.IsNotExist(err) {
        os.Mkdir(path, 0755)
    }
    out, err := os.Create(path + "/" + filename)
    if err != nil {...} // Err Handling
    defer out.Close()

    _, err = io.Copy(out, file)
    if err != nil {...} // Err Handling
    c.JSON(http.StatusAccepted, gin.H{})

}

错误出现在 c.Request.FormFile() 上,无论请求是什么,它都会返回“mime:无效的媒体参数”。我尝试了以下方法:

curl -X POST --form upload=C:\Users\meiche_j\Pictures\Capture.PNG -H "Content-Type: multipart/form-data;boundary=???" "http://127.0.0.1:3003/postFiles/picture/58cbb5627067500f58834f69/fileIdTest"


curl -X POST --form upload=C:\Users\meiche_j\Pictures\Capture.PNG -H "Content-Type: multipart/form-data;boundary=???;Content-Disposition: attachment; filename=file" "http://127.0.0.1:3003/postFiles/picture/58cbb5627067500f58834f69/fileIdTest"


curl -X POST --form upload=C:\Users\meiche_j\Pictures\Capture.PNG -H "Content-Type: multipart/form-data;boundary=???;Content-Disposition: form-data; filename=file" "http://127.0.0.1:3003/postFiles/picture/58cbb5627067500f58834f69/fileIdTest"

我认为错误不在代码中,但是我找不到缺少哪些请求标头,知道吗?

4

1 回答 1

3

您在代码和测试中犯了多个小错误:

  1. 您应该使用正确的密钥 c.Request.FormFile("file"),在这里您使用file作为密钥,但您upload在 curl 请求中使用作为密钥--form upload=...

  2. 您应该@在 curl 请求中使用 :curl -X POST --form upload=@C:\Users\meiche_j\Pictures\Capture.PNG表示您要传输文件的内容而不仅仅是路径

  3. 您应该避免自己将边界参数放​​在 curl 请求中,并执行 curl 请求,例如

    curl -X POST -F upload=@pathtoyourfile -H 'Content-Type: multipart/form-data' "http://127.0.0.1:3003/postFiles/picture/58cbb5627067500f58834f69/fileIdTest"
    

希望这很有用

于 2017-03-17T16:03:10.173 回答