so, after my ajax post request my Django view return a zip file as a response. I want to download that zip file as soon as the response came. But I don’t know what to do. I go through many answers but not worked for me. Right now zip file downloading but when I open it’s corrupted. My Django response zip file type is <class ‘_io.BufferedReader’>.
Ajax Code of Post request
JavaScript
x
28
28
1
function upload(url) {
2
let pdf_file = $('#file_input').get(0).files[0];
3
let form_data = new FormData();
4
form_data.append("file", pdf_file);
5
jQuery.ajax({
6
url: url,
7
type: "POST",
8
data: form_data,
9
enctype: 'multipart/form-data',
10
contentType: false,
11
processData: false,
12
success: function (response) {
13
var binaryData = [];
14
binaryData.push(response);
15
var link = document.createElement('a');
16
link.href = window.URL.createObjectURL(new Blob(binaryData, {type: "application/zip"}))
17
link.download = 'sample.zip';
18
document.body.appendChild(link);
19
link.click();
20
21
},
22
error: function (response) {
23
loading_btn.classList.add("d-none");
24
upload_btn.classList.remove("d-none");
25
}
26
});
27
}
28
ajax Response
Django View
JavaScript
1
6
1
@csrf_exempt
2
def upload_file(request):
3
if request.is_ajax() and request.method == 'POST':
4
zip_file = open('/home/deftbox/PycharmProjects/pdf_data_Extractor/test.zip', 'rb')
5
return FileResponse(zip_file)
6
After zipping download when I open my zip file it comes with an error **An error occurred while loading the archive. *
Advertisement
Answer
If you want to download a (binary) file with jQuery.ajax you have to use the xhrFields to set a binary responseType
JavaScript
1
28
28
1
function upload(url) {
2
let pdf_file = $('#file_input').get(0).files[0];
3
let form_data = new FormData();
4
form_data.append("file", pdf_file);
5
jQuery.ajax({
6
url: url,
7
type: "POST",
8
data: form_data,
9
contentType: false,
10
processData: false,
11
xhrFields:{
12
responseType: 'blob'
13
},
14
success: function (response) {
15
var link = document.createElement('a');
16
link.href = window.URL.createObjectURL(response)
17
link.download = 'sample.zip';
18
document.body.appendChild(link);
19
link.click();
20
21
},
22
error: function (response) {
23
loading_btn.classList.add("d-none");
24
upload_btn.classList.remove("d-none");
25
}
26
});
27
}
28