我正在尝试使用jQuery进行简单的文件上传。我的HTML中有一个文件输入,如下所示:
<form id="PhotoUploadForm" action="/some/correct/url" method="post" enctype="multipart/form-data">
<input type="file" id="uploadPhoto" accept="image">
</form>
我还有一些JavaScript / jQuery绑定到输入的change事件,如下所示:
$('#uploadPhoto').on("change", function (event) {
var fileData = this.files[0];
var data = new FormData();
data.append('image',fileData);
data.append('content','What could go wrong');
console.log(data.image, data.content); // this outputs 'undefined undefined' in the console
$.ajax ({
url: "/some/correct/url",
type: 'POST',
data: data,
processData: false,
beforeSend: function() {
console.log('about to send');
},
success: function ( response ) {
console.log( 'now do something!' )
},
error: function ( response ) {
console.log("response failed");
}
});
});
我注意到我收到了500错误!很可能数据不正确,我知道网址很好。所以我尝试将数据输出到控制台,我注意到我的数据追加“undefined
”
console.log(data.image, data.content); // this outputs 'undefined undefined' in the console
当我在console.log(数据)时,我得到以下内容:
FormData {append: function}__proto__: FormData
我在这里做错了吗?为什么data.image
&amp; data.content
未定义?当我输出this.files[0]
时,我得到以下内容:
File {webkitRelativePath: "", lastModified: 1412680079000, lastModifiedDate: Tue Oct 07 2014 13:07:59 GMT+0200 (CEST), name: "2575-Web.jpg", type: "image/jpeg"…}lastModified: 1412680079000lastModifiedDate: Tue Oct 07 2014 13:07:59 GMT+0200 (CEST)name: "2575-Web.jpg"size: 138178type: "image/jpeg"webkitRelativePath: ""__proto__: File
所以问题不在于图像。我是对的吗?
答案 0 :(得分:11)
您误解了FormData
对象。 FormData
对象只有.append()
方法,不会向其追加属性,但只存储提供的数据。因此,显然,.image
和.content
属性将是未定义的。
如果要创建具有.image
和.content
属性的对象,则应创建常规对象,然后发送它。
为了达到你想要的目的,你有一些选择:
FormData
:
<form>
元素作为参数,它将为您完成所有工作。.append()
方法。contentType: 'application/json'
发送。 您会选择哪个选项?只有取决于后端。如果您正在开发后端,请确保以正确的方式从POST
请求中检索数据,否则请检查该站点并查看您需要发送的数据类型。
创建FormData
对象:
方法1,让构造函数为你工作:
var form = document.getElementById("PhotoUploadForm"),
myData = new FormData(form);
方法2,自己动手:
var fileData = this.files[0],
myData = new FormData();
myData.append('image', fileData);
然后,在您的代码中稍后,您可以发送它:
$.ajax({
url: "/some/correct/url",
type: 'POST',
data: myData, // here it is
...
});
创建一个常规对象并发送它:
var myData = {
image: this.files[0]
};
$.ajax({
url: "/some/correct/url",
type: 'POST',
data: myData, // here it is
...
});
var myData = {
image: this.files[0]
};
myData = JSON.stringify(myData); // convert to JSON
$.ajax({
url: "/some/correct/url",
type: 'POST',
contentType: 'application/json',
data: myData, // here it is
...
});