共计 2450 个字符,预计需要花费 7 分钟才能阅读完成。
一、概述
文件上传时,文件数据存储在 request.FILES 属性中
二、注意
- form 表单要上传文件需要加 enctype=“multipart/form-data”
- 上传文件必须是 post 请求
- 注意 name 名称
三、存储路径
-
在 static 目录下创建 upfile 目录用于存储接收上传的文件
-
配置 settings.py 文件
MDEIA_ROOT=os.path.join(BASE_DIR,r'static/upfile')
四、上传文件的方法和属性
方法
- myFile.read()
从文件中读取整个上传的数据,这个方法只适合小文件
-
myFile.chunks()
按块返回文件,通过在 for 循环中进行迭代,可以将大文件按块写入到服务器中
-
myFile.multiple_chunks()
这个方法根据 myFile 的大小,返回 True 或者 False,当 myFile 文件大于 2.5M(默认为 2.5M,可以调整) 时,该方法返回 True,否则返回 False,因此可以根据该方法来选择选用 read 方法读取还是采用 chunks 方法
属性
-
myFile.name
这是一个属性,不是方法,该属性得到上传的文件名,包括后 rd 缀,如 123.exe
-
myFile.size
这也是一个属性,该属性得到上传文件的大小
五、简单上传
# 完成了简单的上传
def upload(re 简单上传 q):
if req.method == 'POST':
# 获取上传文件对象
f = req.FILES.get('file')
# 配置文件存储路径
filePath = os.path.join(settings.MDEIA_ROOT,f.name)
# 进行文件上传
with open(filePath,'wb') as fp:
# 判断用何种方式写入
if f.multiple_chunks():
for img in f.chunks():
fp.write(img)
else:
fp.write(f.read())
return render(req,'upload/upload_img.html')
六、完整上传
-
settings.py 配置
# 文件上传存储路径 MDEIA_ROOT = os.path.join(BASE_DIR,'static/upload') # 配置允许上传的文件类型 ALLOWED_EXTENSIONS = ['jpg','gif','png','jpeg']
-
模板文件
<form method="post" action="/savefile/" enctype="multipart/form-data"> {%csrf_token%} <input type="file" name="file"/> <input type="submit" value="上传"/> </form>
-
视图函数
from django.contrib import messages from django.shortcuts import render,HttpResponse,redirect,reverse from django.conf import settings import os,random,string,uuid,hashlib from PIL import Image # 生成随机图片名称方法 def random_name(suffix): ''' 返回新的图片名称 :param suffix: 后缀 :return: 新图片名称 ''' u = uuid.uuid4() # 拿到唯一的 uuid 字符串值 并进行编码 Str = str(u).encode('utf-8') md5 = hashlib.md5() md5.update(Str) name = md5.hexdigest() return name+'.'+suffix # 图片缩放 def img_zoom(path,prefix='s_',width=100,height=100): ''' 进行图片的缩放处理 :param path: 图片路径 :param prefix: 缩放前缀 :param width: 缩放宽度 :param height: 缩放高度 :return: None ''' # 打开图片 img = Image.open(path) # 重新设计尺寸 img.thumbnail((width,height)) # 拆分路径和名称 pathTuple = os.path.split(path) newPath = os.path.join(pathTuple[0],prefix+pathTuple[1]) img.save(newPath) # 文件上传 def upload(req): if req.method == 'POST': # 获取上传文件对象 f = req.FILES.get('file') # 获取后缀 suffix = f.name.split('.')[-1] # 判断该文件类型是否允许上传 if suffix not in settings.ALLOWED_EXTENSIONS: messages.error(req,'请上传正确类型文件') return redirect(reverse('App:upload')) # 生成文件名称 newname = random_name(suffix) try: # 配置文件存储路径 filePath = os.path.join(settings.MDEIA_ROOT,f.name) # 进行文件上传 with open(filePath,'wb') as fp: # 判断用何种方式写入 if f.multiple_chunks(): for img in f.chunks(): fp.write(img) else: fp.write(f.read()) except: messages.error(req, '服务繁忙 稍后再试') return redirect(reverse('App:upload')) else: # 进行缩放处理 img_zoom(filePath) messages.success(req, '上传成功!') return render(req,'upload/upload_img.html')
正文完
星哥说事-微信公众号