Django基础之文件下载
一. 简介
在实际的项目中很多时候需要用到下载功能,如导excel、pdf或者文件下载,当然你可以使用web服务自己搭建可以用于下载的资源服务器,如nginx,这里我们主要介绍django中的文件下载。
我们这里介绍三种Django下载文件的简单写法.
二. 基本使用
index.html内容如下
<div> <a href="{% url 'download' %}">文件下载</a> </div>
urls.py文件内容如下:
urlpatterns = [ url(r'^index/', views.index,name='index'), url(r'^download/', views.download,name='download'), ]
view视图函数的写法有一下三种:
方式1:
from django.shortcuts import HttpResponse def download(request): file = open('crm/models.py', 'rb') #打开指定的文件 response = HttpResponse(file) #将文件句柄给HttpResponse对象 response['Content-Type'] = 'application/octet-stream' #设置头信息,告诉浏览器这是个文件 response['Content-Disposition'] = 'attachment;filename="models.py"' #这是文件的简单描述,注意写法就是这个固定的写法 return response
注意:HttpResponse会直接使用迭代器对象,将迭代器对象的内容存储城字符串,然后返回给客户端,同时释放内存。可以当文件变大看出这是一个非常耗费时间和内存的过程。而StreamingHttpResponse是将文件内容进行流式传输,数据量大可以用这个方法
方式2:
from django.http import StreamingHttpResponse # def download(request): file=open('crm/models.py','rb') response =StreamingHttpResponse(file) response['Content-Type']='application/octet-stream' response['Content-Disposition']='attachment;filename="models.py"' return response
方式3:
from django.http import FileResponse def download(request): file=open('crm/models.py','rb') # 这个file文件句柄就是一个迭代器。 # <class '_io.TextIOWrapper'> response =FileResponse(file) response['Content-Type']='application/octet-stream' response['Content-Disposition']='attachment;filename="models.py"' return response
三种http响应对象在django官网都有介绍.入口:https://docs.djangoproject.com/en/1.11/ref/request-response/
推荐使用FileResponse,从源码中可以看出FileResponse是StreamingHttpResponse的子类,内部使用迭代器进行数据流传输。
再来个例子
import os import mimetypes from django.http import FileResponse from django.conf import settings def customer_tpl(request): tpl_path = os.path.join(settings.BASE_DIR, 'web', 'files', '批量导入客户模板.xlsx') content_type = mimetypes.guess_type(tpl_path)[0] # 自动判断content_type的值 # print(content_type) response = FileResponse(open(tpl_path, mode='rb'), content_type=content_type) response['Content-Disposition'] = "attachment;filename=%s" % 'customer_excel_tpl.xlsx' return response