Django基于客戶端下載文件實(shí)現(xiàn)方法
方法一: 使用HttpResonse
下面方法從url獲取file_path, 打開文件,讀取文件,然后通過(guò)HttpResponse方法輸出。
import osfrom django.http import HttpResponsedef file_download(request, file_path): # do something... with open(file_path) as f: c = f.read() return HttpResponse(c)
然而該方法有個(gè)問(wèn)題,如果文件是個(gè)二進(jìn)制文件,HttpResponse輸出的將會(huì)是亂碼。對(duì)于一些二進(jìn)制文件(圖片,pdf),我們更希望其直接作為附件下載。當(dāng)文件下載到本機(jī)后,用戶就可以用自己喜歡的程序(如Adobe)打開閱讀文件了。這時(shí)我們可以對(duì)上述方法做出如下改進(jìn), 給response設(shè)置content_type和Content_Disposition。
import osfrom django.http import HttpResponse, Http404def media_file_download(request, file_path): with open(file_path, ’rb’) as f: try: response = HttpResponse(f) response[’content_type’] = 'application/octet-stream' response[’Content-Disposition’] = ’attachment; filename=’ + os.path.basename(file_path) return response except Exception: raise Http404
HttpResponse有個(gè)很大的弊端,其工作原理是先讀取文件,載入內(nèi)存,然后再輸出。如果下載文件很大,該方法會(huì)占用很多內(nèi)存。對(duì)于下載大文件,Django更推薦StreamingHttpResponse和FileResponse方法,這兩個(gè)方法將下載文件分批(Chunks)寫入用戶本地磁盤,先不將它們載入服務(wù)器內(nèi)存。
方法二: 使用SteamingHttpResonse
import osfrom django.http import HttpResponse, Http404, StreamingHttpResponsedef stream_http_download(request, file_path): try: response = StreamingHttpResponse(open(file_path, ’rb’)) response[’content_type’] = 'application/octet-stream' response[’Content-Disposition’] = ’attachment; filename=’ + os.path.basename(file_path) return response except Exception: raise Http404
方法三: 使用FileResonse
FileResponse方法是SteamingHttpResponse的子類,是小編我推薦的文件下載方法。如果我們給file_response_download加上@login_required裝飾器,那么我們就可以實(shí)現(xiàn)用戶需要先登錄才能下載某些文件的功能了。
import osfrom django.http import HttpResponse, Http404, FileResponsedef file_response_download1(request, file_path): try: response = FileResponse(open(file_path, ’rb’)) response[’content_type’] = 'application/octet-stream' response[’Content-Disposition’] = ’attachment; filename=’ + os.path.basename(file_path) return response except Exception: raise Http404
以上就是本文的全部?jī)?nèi)容,希望對(duì)大家的學(xué)習(xí)有所幫助,也希望大家多多支持好吧啦網(wǎng)。
相關(guān)文章:
1. .NET中l(wèi)ambda表達(dá)式合并問(wèn)題及解決方法2. JSP數(shù)據(jù)交互實(shí)現(xiàn)過(guò)程解析3. Python importlib動(dòng)態(tài)導(dǎo)入模塊實(shí)現(xiàn)代碼4. 利用promise及參數(shù)解構(gòu)封裝ajax請(qǐng)求的方法5. 淺談python出錯(cuò)時(shí)traceback的解讀6. python matplotlib:plt.scatter() 大小和顏色參數(shù)詳解7. windows服務(wù)器使用IIS時(shí)thinkphp搜索中文無(wú)效問(wèn)題8. ASP 信息提示函數(shù)并作返回或者轉(zhuǎn)向9. Nginx+php配置文件及原理解析10. 在Android中使用WebSocket實(shí)現(xiàn)消息通信的方法詳解
