使用多部分表单数据获取帖子


86

我正在获取这样的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的响应。

我的代码有什么问题?

Answers:


163

您将设置Content-Typemultipart/form-data,然后JSON.stringify在正文数据上使用,该数据返回application/json。您的内容类型不匹配。

您需要将数据编码为,multipart/form-data而不是json。通常multipart/form-data在上传文件时使用,并且比application/x-www-form-urlencoded(HTML表单的默认设置)复杂一些。

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

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

基本思想是使用FormData对象(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
  });

  // ...
}

根据本文,请确保不要设置Content-Type标题。浏览器将为您设置它,包括boundary参数。


const fd = new FormData(); //要上传的文件。fd.append('file',fileToUpload); fd.append('jsondatakey','jsondatavalue'); 有了这个,您将能够在体内发送文件以及一些json数据。
纳纳

25

我最近正在与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--),有它自己的头(Content-Type在第二部分,例如)的FormData对象管理这一切给你,所以这是一个更好的方式来实现我们的目标。

这将转换为获取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)
})

16
关于上述方法,请注意,如果使用FormData进行操作,请勿提供标头,因为它将覆盖自动设置的边界。
马特·彭格尔利

1
谢谢@MattPengelly!那么如何设置自定义标头,如授权?
Dragos Strugar

7
@DragosStrugar,您仍然可以设置标题(包括授权),如果您使用的是FormData,则不要手动设置Content-Type标题。
RobertMcReed

2
如果使用的是FormData,请不要提供“ Content-Type”标题。
CAOT

1
在curl示例中,您需要它。在该FormData示例中,您不需要它,因为浏览器会为您发送该标头并管理所有的mime-boundries,这就是此解决方案的重点。
konsumer
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.