如何在Django中获取POST数据

2024-04-25 19:15:02 发布

您现在位置:Python中文网/ 问答频道 /正文

嘿,我正在按照这个教程学习如何用Django创建一个wiki页面。但是,它是用django 0.96制作的,我使用django 1.3,所以有些东西是不同的。有些我自己已经修好了,但是这个我好像做不到。

我做了一个表单,将数据提交给视图。 这是表格:

<form method="post" action"/wikicamp/{{page_name}}/save/">{% csrf_token %}
    <textarea name="content" rows="20" cols="60">{{content}}</textarea><br>
    <input type="submit" value="Save Page"/>
</form>

并且/wikicamp/{{page{u name}/save/url重定向到save\u页面视图:

from django.http import HttpResponseRedirect
from django.core.context_processors import csrf

def save_page(request, page_name):
    c = {}
    c.update(csrf(request))
    content = c.POST["content"]
    try:
        page = Page.objects.get(pk=page_name)
        page.content = content
    except Page.DoesNotExist:
        page = Page(name=page_name, content=content)
    page.save()
    return HttpResponseRedirect("wikicamp/" + page_name + "/")

但是问题是我得到了这个错误:

Help

Reason given for failure:

    CSRF token missing or incorrect.


In general, this can occur when there is a genuine Cross Site Request Forgery, or when Django's CSRF mechanism has not been used correctly. For POST forms, you need to ensure:

    The view function uses RequestContext for the template, instead of Context.
    In the template, there is a {% csrf_token %} template tag inside each POST form that targets an internal URL.
    If you are not using CsrfViewMiddleware, then you must use csrf_protect on any views that use the csrf_token template tag, as well as those that accept the POST data.

You're seeing the help section of this page because you have DEBUG = True in your Django settings file. Change that to False, and only the initial error message will be displayed.

You can customize this page using the CSRF_FAILURE_VIEW setting.

所以我阅读了一些文档,比如http://docs.djangoproject.com/en/dev/ref/contrib/csrf/#how-to-use-it。我试着去做,但还是犯了同样的错误。

那么:有人知道如何用Django 1.3处理表单post数据吗?

我认为这与以下内容有关:view函数使用RequestContext作为模板,而不是Context。但我现在不知道是什么了。

顺便说一下,在显示本地主机的http请求的终端中,它说:模板中使用了{%csrf_token%},但上下文没有提供该值。这通常是由于不使用RequestContext造成的。


Tags: thedjangonameformtokenyouthatsave
3条回答

您必须在表单模板的<form>标记之间包含{% csrf_token %}

<form method="post" action"/wikicamp/{{page_name}}/save/">
    {% csrf_token %}
    <textarea name="content" rows="20" cols="60">{{content}}</textarea><br>
    <input type="submit" value="Save Page"/>
</form>

如果csrf_token没有呈现到您的表单中,请确保您在视图的响应中提供了RequestContext

from django.shortcuts import render_to_response
from django.template import RequestContext

def app_view(request):
    return render_to_response('app_template.html', 
                              app_data_dictionary, 
                              context_instance=RequestContext(request))

或者,使用此快捷方式:

from django.views.generic.simple import direct_to_template

def app_view(request):             
    return direct_to_template(request, 'app_template.html', app_data_dictionary)

使用泛型视图时,RequestContext始终可用。

您需要{%csrf_token%}模板标记在标记之间,并包括

   django.middleware.csrf.CsrfViewMiddleware
   django.middleware.csrf.CsrfResponseMiddleware

在applications settings.py中的中间件类中

添加一些示例post数据处理:

这是我在视图中使用POST数据的一个例子。我通常会依赖form类通过清理的数据数组进行验证。

if request.method == 'POST':
        form = ForgotPassword(data=request.POST)
        if form.is_valid():
            try:
                new_user = backend.forgot_password(request, **form.cleaned_data)
            except IntegrityError:
                context = {'form':form}
                form._errors[''] = ErrorList(['It appears you have already requested a password reset, please \
                check ' + request.POST['email2'] + ' for the reset link.'])
                return render_template(request,'passwordReset/forgot_password.html',context)
            if success_url is None:
                to, args, kwargs = backend.post_forgot_password(request, new_user)
                return redirect(to, *args, **kwargs)
            else:
                return redirect(success_url)

我想你错过了申报表中的符号“=”。

action"/wikicamp/{{page_name}}/save/"

action="/wikicamp/{{page_name}}/save/"

幸运的是,这可能不是一个错误。 因此,如果这不是一个解决方案,请尝试一些更简单的示例:

# settings.py

TEMPLATE_DIRS = (
    # Here comes something like "C:/www/django/templates"
)

MIDDLEWARE_CLASSES = (
    ...
    'django.middleware.csrf.CsrfViewMiddleware',
    ...
)

# urls.py

urlpatterns = patterns('',
    ('^foo', foo),
)


# views.py
from django.http import HttpResponse
from django.shortcuts import render_to_response
from django.core.context_processors import csrf

def foo(request):
    d = {}
    d.update(csrf(request))
    if 'output' in request.POST:
        d.update({'output':request.POST['output']})
    return render_to_response('foo.html',d)

# foo.html template
<html>
<h1> Foo </h1>
<form action="/foo" method = "post">
    {% csrf_token %}
    <input type="text" name="output"></input>
    <input type="submit" value="go"></input>
</form>
<p> Output: {{ output }} </p>
</html>

希望这能奏效

相关问题 更多 >