File Upload Through Ajax Does Not Append File In Request In Mvc
Solution 1:
Instead of:
$.each($(fileInput).get(0).files, function (index, value) {
formdata.append($(this).attr('name'), $(this));
});
you might use:
$.each($(fileInput).get(0).files, function (index, value) {
formdata.append(value.name, value);
});
The main difference is that with your approach the Content-Disposition part doesn't contain a filename
and thus ASP.NET doesn't recognize it as a file content:
------WebKitFormBoundaryZxwCwBC0O8Q3hOAO
Content-Disposition: form-data; name="foo.png"
[object Object]
------WebKitFormBoundaryZxwCwBC0O8Q3hOAO
Content-Disposition: form-data; name="bar.png"
[object Object]
------WebKitFormBoundaryZxwCwBC0O8Q3hOAO--
and with my approach the request will look like this:
------WebKitFormBoundary1ERBVX0wzdVczcR0
Content-Disposition: form-data; name="foo.png"; filename="foo.png"
Content-Type: imag/png
[object Object]
------WebKitFormBoundary1ERBVX0wzdVczcR0
Content-Disposition: form-data; name="bar.png"; filename="bar.png"
Content-Type: image/png
[object Object]
------WebKitFormBoundary1ERBVX0wzdVczcR0--
Now you can see the actual difference. In the first case you don't have a filename
nor Content-Type
of the files and ASP.NET simply treat those elements as standard form posted data and not files.
Also instead of using the actual file name as name
you may consider replacing it with some generic one:
$.each($(fileInput).get(0).files, function (index, value) {
formdata.append('sliderFiles', value);
});
Now you can further improve your controller action by having it take a List<HttpPostedFileBase>
parameter instead of using Request.Files
:
[HttpPost]
public ActionResult UploadSlider(List<HttpPostedFileBase> sliderFiles)
{
...
}
Another remark about your code is that HTML5 FormData
is not available in order browsers and your code will silently fail. If you need to support older browsers you might need to perform progressive enhancement by testing the capabilities of the browser and falling back to a standard form POST if the browser doesn't support FormData:
$("#" + form).on("submit", function (e) {
if(window.FormData === undefined) {
// The browser doesn't support uploading files with AJAX// falling back to standard form upload
} else {
// The browser supports uploading files with AJAX =>// we prevent the default form POST and use AJAX instead
e.preventDefault();
...
}
});
Post a Comment for "File Upload Through Ajax Does Not Append File In Request In Mvc"