使用 Go 同时解析来自 HTTP 请求的文件和 JSON 数据
在此场景中,您的目标是解析 PDF 文档和 JSON来自多部分 HTTP 请求表单的数据。复杂性源于需要在单个请求中处理两个不同的部分。
为了有效地处理这种情况,请考虑利用 Go 的 http.(*Request).MultipartReader() 方法。此方法返回一个 mime/multipart.Reader 对象,它允许您使用 r.NextPart() 函数迭代请求的各个部分。
修改处理程序函数以合并此方法将如下所示:
<code class="go">func (s *Server) PostFileHandler(w http.ResponseWriter, r *http.Request) { mr, err := r.MultipartReader() if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } doc := Doc{} for { part, err := mr.NextPart() // This is OK, no more parts if err == io.EOF { break } // Some error if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } // PDF 'file' part if part.FormName() == "file" { doc.Url = part.FileName() fmt.Println("URL:", part.FileName()) outfile, err := os.Create("./docs/" + part.FileName()) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } defer outfile.Close() _, err = io.Copy(outfile, part) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } } // JSON 'doc' part if part.FormName() == "doc" { jsonDecoder := json.NewDecoder(part) err = jsonDecoder.Decode(&doc) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return }</code>
以上是如何在 Go 中处理多个请求部分(PDF 和 JSON)?的详细内容。更多信息请关注PHP中文网其他相关文章!