二十五岁时我们都一样愚蠢、多愁善感,喜欢故弄玄虚,可如果不那样的话,五十岁时也就不会如此明智。
标题:Django文件上传
一个网页应用程序能够上传文件(个人资料图片,歌曲,pdf,单词.....)通常很有用。让我们来讨论如何在本章中上传文件。
上传图片
在开始使用图像之前,请确保已安装Python图像库(PIL)。现在为了说明上传图像,我们创建一个配置文件表单,在myapp / forms.py中 -
#-*- coding: utf-8 -*- from django import forms class ProfileForm(forms.Form): name = forms.CharField(max_length = 100) picture = forms.ImageFields()正如你所看到的,这里的主要区别只是 forms.ImageField 。ImageField将确保上传的文件是一个图像。否则,表单验证将失败。
现在让我们创建一个“配置文件”模型来保存我们上传的配置文件。这是在myapp / models.py中完成的 -
from django.db import models class Profile(models.Model): name = models.CharField(max_length = 50) picture = models.ImageField(upload_to = 'pictures') class Meta: db_table = "profile"正如您对该模型所看到的,ImageField采用了一个强制性参数: upload_to 。这表示将在硬盘上保存图像的位置。请注意,该参数将被添加到settings.py文件中定义的MEDIA_ROOT选项中。
现在我们有了Form和Model,让我们在myapp / views.py中创建视图 -
#-*- coding: utf-8 -*- from myapp.forms import ProfileForm from myapp.models import Profile def SaveProfile(request): saved = False if request.method == "POST": #Get the posted form MyProfileForm = ProfileForm(request.POST, request.FILES) if MyProfileForm.is_valid(): profile = Profile() profile.name = MyProfileForm.cleaned_data["name"] profile.picture = MyProfileForm.cleaned_data["picture"] profile.save() saved = True else: MyProfileForm = Profileform() return render(request, 'saved.html', locals())不容错过的部分是,创建ProfileForm时发生了变化,我们添加了第二个参数: request.FILES 。如果未通过,表单验证将失败,并显示图片为空的消息。
现在,我们只需要用于表单和重定向页面的 saved.html 模板和 profile.html 模板 -
myapp / templates / saved.html -
<html> <body> {% if saved %} <strong>Your profile was saved.</strong> {% endif %} {% if not saved %} <strong>Your profile was not saved.</strong> {% endif %} </body> </html>myapp / templates / profile.html -
<html> <body> <form name = "form" enctype = "multipart/form-data" action = "{% url "myapp.views.SaveProfile" %}" method = "POST" >{% csrf_token %} <div style = "max-width:470px;"> <center> <input type = "text" style = "margin-left:20%;" placeholder = "Name" name = "name" /> </center> </div> <br> <div style = "max-width:470px;"> <center> <input type = "file" style = "margin-left:20%;" placeholder = "Picture" name = "picture" /> </center> </div> <br> <div style = "max-width:470px;"> <center> <button style = "border:0px;background-color:#4285F4; margin-top:8%; height:35px; width:80%; margin-left:19%;" type = "submit" value = "Login" > <strong>Login</strong> </button> </center> </div> </form> </body> </html>接下来,我们需要我们的一对网址开始使用:myapp / urls.py
from django.conf.urls import patterns, url from django.views.generic import TemplateView urlpatterns = patterns( 'myapp.views', url(r'^profile/',TemplateView.as_view( template_name = 'profile.html')), url(r'^saved/', 'SaveProfile', name = 'saved') )当访问“/ myapp / profile”时,我们会得到以下profile.html模板 -
在表单发布后,保存的模板将被呈现 -
我们有一个图像样本,但如果您想上传另一种类型的文件,而不是图像,只需用 FileField 替换模型和表单中的 ImageField 。