如何使用JS提取API上传文件?


170

我仍在努力把它缠住。

我可以让用户使用文件输入来选择文件(甚至多个):

<form>
  <div>
    <label>Select file to upload</label>
    <input type="file">
  </div>
  <button type="submit">Convert</button>
</form>

我可以submit使用捕获事件<fill in your event handler here>。但是一旦完成,如何使用发送文件fetch

fetch('/files', {
  method: 'post',
  // what goes here? What is the "body" for this? content-type header?
}).then(/* whatever */);

1
尝试了一些答案失败后,官方文档对我有用:developer.mozilla.org/en-US/docs/Web/API/Fetch_API/…,可以确认:1.需要在FromData中包装文件;2.无需Content-Type: multipart/form-data在请求标头中声明
Spark.Bao,

Answers:


127

这是带有注释的基本示例。该upload功能是您要寻找的:

// Select your input type file and store it in a variable
const input = document.getElementById('fileinput');

// This will upload the file after having read it
const upload = (file) => {
  fetch('http://www.example.net', { // Your POST endpoint
    method: 'POST',
    headers: {
      // Content-Type may need to be completely **omitted**
      // or you may need something
      "Content-Type": "You will perhaps need to define a content-type here"
    },
    body: file // This is your file object
  }).then(
    response => response.json() // if the response is a JSON object
  ).then(
    success => console.log(success) // Handle the success response object
  ).catch(
    error => console.log(error) // Handle the error response object
  );
};

// Event handler executed when a file is selected
const onSelectFile = () => upload(input.files[0]);

// Add a listener on your input
// It will be triggered when a file will be selected
input.addEventListener('change', onSelectFile, false);

8
为什么此示例包含Content-Type标头,但另一个答案说在使用Fetch API发送文件时忽略它们?哪一个?
jjrabbit

12
不要设置Content-Type。我花了很多时间尝试使其工作,然后发现这篇文章说不要设置它。而且有效!muffinman.io/uploading-files-using-fetch-multipart-form-data
Kostiantyn

假设您从Express后端读取该文件的方式。由于文件不作为表单数据发送。相反,它仅作为文件对象发送。express-fileupload或multer解析此类有效载荷吗?
sakib11

221

我这样做是这样的:

var input = document.querySelector('input[type="file"]')

var data = new FormData()
data.append('file', input.files[0])
data.append('user', 'hubot')

fetch('/avatars', {
  method: 'POST',
  body: data
})

16
FormData如果您要上传的只是文件(这就是原始问题想要的),则无需将文件内容包装在一个对象中。 fetch将接受input.files[0]以上作为其body参数。
克劳斯

17
如果您有PHP后端来处理文件上传,则需要将文件包装在FormData中,以便正确填充$ _FILES数组。
ddelrio1986 '17

2
我还注意到,由于某种原因,如果没有FormData部分,Google Chrome不会在请求有效负载中显示文件。似乎是Google Chrome的“网络”面板中的错误。
ddelrio1986 '17

4
这确实应该是正确的答案。另一种方法也
可行,

/化身是什么意思?您是指某些后端API端点吗?
Kartikeya Mishra

90

使用Fetch API发送文件的重要说明

需要content-type为Fetch请求省略 标头。然后,浏览器将自动添加Content type标题,包括表单边界,如下所示:

Content-Type: multipart/form-data; boundary=—-WebKitFormBoundaryfgtsKTYLsT7PNUVD

表单边界是表单数据的定界符


17
这个!很重要!不要将自己的内容类型与分段获取一起使用。我不知道为什么我的代码不起作用。
ErnestasStankevičius18年


1
这是金!我浪费了1个小时,不明白这一点。感谢分享这个技巧
阿什温帕布

1
拒绝投票,因为尽管它是有用的信息,但这并不试图回答OP的问题。
toraritte '19

3
这是非常重要的信息,未在MDN Fetch文档中捕获。
Plasty Grove

36

如果要多个文件,可以使用此文件

var input = document.querySelector('input[type="file"]')

var data = new FormData()
for (const file of input.files) {
  data.append('files',file,file.name)
}

fetch('/avatars', {
  method: 'POST',
  body: data
})

@ Saly3301我遇到了同样的问题,这是因为我的API函数试图将formData转换为JSON。(我只评论有帮助人的机会)
mp035,19年

19

要提交一个文件,你可以简单地使用File对象从input.files直接阵列的价值body:在你的fetch()初始化:

const myInput = document.getElementById('my-input');

// Later, perhaps in a form 'submit' handler or the input's 'change' handler:
fetch('https://example.com/some_endpoint', {
  method: 'POST',
  body: myInput.files[0],
});

之所以File可行BlobBlob是因为它继承自,并且是BodyInitFetch Standard中定义的允许类型之一。


这是最简单的答案,但是如何body: myInput.files[0]导致客户端存储在内存中的字节数增加呢?
bhantol '18

2
希望使用此解决方案,浏览器将足够明智,可以流式传输文件,而无需将其读取到内存中,@ bhantol,但是我并没有尽全力寻找(根据经验或通过深入研究规格)。如果您想确认,则可以尝试(在每个主要浏览器中)使用这种方法上传50GB的文件或其他内容,然后查看您的浏览器是否尝试使用过多的内存而被杀死。
Mark Amery

没有为我工作。express-fileupload未能解析请求流。但是FormData就像魅力一样。
attacomsian

1
@attacomsian乍一看,在我看来就像express-fileupload是服务器端库,用于处理multipart/form-data包含文件的请求,所以,是的,它与这种方法不兼容(该方法只是将文件作为请求正文直接发送)。
Mark Amery

6

此处接受的答案有些过时。截至2020年4月,在MDN网站上看到的一种推荐方法建议使用FormData,也不要求设置内容类型。https://developer.mozilla.org/zh-CN/docs/Web/API/Fetch_API/Using_Fetch

为了方便起见,我引用了代码片段:

const formData = new FormData();
const fileField = document.querySelector('input[type="file"]');

formData.append('username', 'abc123');
formData.append('avatar', fileField.files[0]);

fetch('https://example.com/profile/avatar', {
  method: 'PUT',
  body: formData
})
.then((response) => response.json())
.then((result) => {
  console.log('Success:', result);
})
.catch((error) => {
  console.error('Error:', error);
});

1
FormData仅当服务器需要表单数据时,才可以使用。如果服务器希望将原始文件作为POST正文,则接受的答案是正确的。
克莱德

2

从Alex Montoya的方法处理多个文件输入元素开始

const inputFiles = document.querySelectorAll('input[type="file"]');
const formData = new FormData();

for (const file of inputFiles) {
    formData.append(file.name, file.files[0]);
}

fetch(url, {
    method: 'POST',
    body: formData })

1

对我来说,问题是我正在使用response.blob()填充表单数据。显然,您至少不能通过本机反应做到这一点,所以我最终使用了

data.append('fileData', {
  uri : pickerResponse.uri,
  type: pickerResponse.type,
  name: pickerResponse.fileName
 });

提取似乎可以识别该格式,并将文件发送到uri指向的位置。


0

这是我的代码:

的HTML:

const upload = (file) => {
    console.log(file);

    

    fetch('http://localhost:8080/files/uploadFile', { 
    method: 'POST',
    // headers: {
    //   //"Content-Disposition": "attachment; name='file'; filename='xml2.txt'",
    //   "Content-Type": "multipart/form-data; boundary=BbC04y " //"multipart/mixed;boundary=gc0p4Jq0M2Yt08jU534c0p" //  ή // multipart/form-data 
    // },
    body: file // This is your file object
  }).then(
    response => response.json() // if the response is a JSON object
  ).then(
    success => console.log(success) // Handle the success response object
  ).catch(
    error => console.log(error) // Handle the error response object
  );

  //cvForm.submit();
};

const onSelectFile = () => upload(uploadCvInput.files[0]);

uploadCvInput.addEventListener('change', onSelectFile, false);
<form id="cv_form" style="display: none;"
										enctype="multipart/form-data">
										<input id="uploadCV" type="file" name="file"/>
										<button type="submit" id="upload_btn">upload</button>
</form>
<ul class="dropdown-menu">
<li class="nav-item"><a class="nav-link" href="#" id="upload">UPLOAD CV</a></li>
<li class="nav-item"><a class="nav-link" href="#" id="download">DOWNLOAD CV</a></li>
</ul>


1
点评来源:您好,请不要仅提供源代码。尝试提供有关您的解决方案如何工作的很好的描述。请参阅:我如何写一个好的答案?。谢谢
sɐunıɔןɐqɐp
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.