1

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

这是我的第一个搜索功能

    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>

任何帮助深表感谢!谢谢你!

4

2 回答 2

4

你输入:

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

你应该输入:

if 'q' in request.GET:

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

if request.GET.get('q', False):
于 2013-02-25T11:53:29.633 回答
1

补充一下 Zulu 说的,可以使用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})
于 2013-02-25T12:06:24.500 回答