在 Go 中解析来自 HTTP 请求的文件和 JSON
当从 AngularJS 前端构建 HTTP 请求时,您可能会遇到需要解析文件和 JSON 数据。这可能具有挑战性,尤其是在尝试解析请求正文中的 JSON 数据时。
考虑以下 HTTP 请求负载:
Content-Disposition: form-data; name="file"; filename="Parent Handbook.pdf" Content-Type: application/pdf Content-Disposition: form-data; name="doc" {"title":"test","cat":"test cat","date":20142323}
在此场景中,“文件”代表 PDF document,而“doc”包含您想要解析的 JSON 数据。
为了有效解析文件和 JSON 数据,Go 提供了合适的解决方案。以下是实现此目的的方法:
您应该利用 r.MultipartReader() 分别处理 PDF 和 JSON 部分,而不是假设 r.Body 包含 JSON 数据。此函数提供了一个 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() // No more parts if err == io.EOF { break } // Error occurred if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } // PDF 'file' part if part.FormName() == "file" { doc.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 中解析来自 HTTP 请求的文件和 JSON的详细内容。更多信息请关注PHP中文网其他相关文章!