如何使用 fetch POST 处理多部分表单数据?

How do I POST with multipart form data using fetch?

我正在获取这样的 URL:

fetch(url, {
  mode: 'no-cors',
  method: method || null,
  headers: {
    'Accept': 'application/json, application/xml, text/plain, text/html, *.*',
    'Content-Type': 'multipart/form-data'
  },
  body: JSON.stringify(data) || null,
}).then(function(response) {
  console.log(response.status)
  console.log("response");
  console.log(response)
})

我的 API 期望数据是 multipart/form-data 所以我正在使用这种类型的 content-type... 但它给我一个状态代码为 400 的响应。

我的代码有什么问题?

您将 Content-Type 设置为 multipart/form-data,但随后在 body 数据上使用 JSON.stringify,returns application/json.您的内容类型不匹配。

您需要将数据编码为 multipart/form-data 而不是 json。通常在上传文件时使用multipart/form-data,比application/x-www-form-urlencoded复杂一点(HTML形式默认)。

multipart/form-data 的规范可以在 RFC 1867 中找到。

有关如何通过 javascript 提交此类数据的指南,请参阅 here

基本思路是使用 FormData object(IE < 10 不支持):

async function sendData(url, data) {
  const formData  = new FormData();

  for(const name in data) {
    formData.append(name, data[name]);
  }

  const response = await fetch(url, {
    method: 'POST',
    body: formData
  });

  // ...
}

根据 this article 确保 而不是 设置 Content-Type header。浏览器会为你设置,包括boundary参数。

我最近在使用 IPFS 并解决了这个问题。 IPFS 上传文件的 curl 示例如下所示:

curl -i -H "Content-Type: multipart/form-data; boundary=CUSTOM" -d $'--CUSTOM\r\nContent-Type: multipart/octet-stream\r\nContent-Disposition: file; filename="test"\r\n\r\nHello World!\n--CUSTOM--' "http://localhost:5001/api/v0/add"

基本思想是每个部分(在 boundary-- 中按字符串拆分)都有自己的 headers(例如,第二部分中的 Content-Type .) FormData object 为您管理所有这些,因此这是实现我们目标的更好方法。

这转换为像这样获取 API:

const formData = new FormData()
formData.append('blob', new Blob(['Hello World!\n']), 'test')

fetch('http://localhost:5001/api/v0/add', {
  method: 'POST',
  body: formData
})
.then(r => r.json())
.then(data => {
  console.log(data)
})