Djangobooks搜索栏错误第7章

时间:2013-02-25 11:46:59

标签: django django-forms django-templates django-views

我不确定为什么在我的两个搜索功能之间发生这种情况。

这是我的第一个搜索功能

    def search(request):
    if 'q' in request.GET and request.GET['q']:
    q = request.GET['q']
    books = Book.objects.filter(title__icontains = q)
    return render_to_response('search_results.html', {'books': books, 'query': q})
    else:
    return render_to_response('search_form.html', {'error': True})

使用此功能,当我输入

    http://127.0.0.1:8000/search/ 

进入我的浏览器,显示的是搜索栏和我创建的消息。此外,当我按下搜索按钮时,链接将自动更新为

    http://127.0.0.1:8000/search/?q=

然而,对于我的搜索功能的第二个版本

    def search(request):
        error = False
        if 'q' in request.GET['q']:
            q = request.GET['q']
            if not q:
             error = True
            else:
             books = Book.objects.filter(title__icontains = q)
             return render_to_response('search_results.html', {'books': books, 'query': q})
    return render_to_response('search_form.html',{'error':error})

如果我要进入

    http://127.0.0.1:8000/search/ 

进入我的浏览器,我会得到

    Exception Type:      MultiValueDictKeyError
    Exception Value:    "Key 'q' not found in <QueryDict: {}>"

如果我要在浏览器中手动创建链接

    http://127.0.0.1:8000/search/?q= 

错误消息会消失,但如果我进行性能搜索,我会得到的只是一个搜索栏,除了更新链接到我在搜索栏中输入的内容并运行搜索之外什么都不做。

    EX: searched for eggs --> http://127.0.0.1:8000/search/?q=eggs

以下是我的HTML文件

search_results.html

    <p>You searched for: <strong>{{ query }}</strong></p>

    {% if books %}
        <p>Found {{ books|length }} book{{ books|pluralize }}.</p>
        <ul>
            {% for book in books %}
            <li>{{ book.title }}</li>
            {% endfor %}
        </ul>
    {% else %}
        <p>No books matched your search criteria.</p>
    {% endif %}

search_form.html

    <html>
    <head>
        <title>Search</title>
    </head>
    <body>
        {% if error %}
            <p style = "color: red;">Please submit a search term.</P>
        {% endif %}
        <form action = "/search/" method = "get">
            <input type = "text" name = "q">
            <input type = "submit" value = "Search">
        </form> 
    </body>
    </html>

任何帮助都很受欢迎!谢谢!

2 个答案:

答案 0 :(得分:4)

您输入:

if 'q' in request.GET['q']:

你应该输入:

if 'q' in request.GET:

失败是因为您尝试访问丢失的项目 你也可以这样做:

if request.GET.get('q', False):

答案 1 :(得分:1)

要添加祖鲁所说的内容,您可以使用属于词典的get()方法来整理代码:

def search(request):

    query = request.GET.get("q", None)

    if query:
        books = Book.objects.filter(title__icontains = query)
        return render_to_response("search_results.html", {"books": books, "query": query})

    # if we're here, it's because `query` is None
    return render_to_response("search_form.html", {"error": True})