TypeError: object of type 'NoneType' has no len()
是在我向列表视图添加分页时发生的。当我单击next
按钮转到第2页时,发生了这种情况。它应该显示两个以上的结果。
我猜想是因为search
的值被擦除或queryset
变得毫无意义,当我单击下一步(转到第2页)时,它返回< strong>没有。
书/视图:
class SearchResultView(generic.ListView):
template_name = 'book/search.html'
model = Book
context_object_name = 'book_list'
paginate_by = 2
def get_queryset(self):
queryset = super().get_queryset()
search = self.request.GET.get('search')
if search:
return Book.objects.filter(
title__icontains=search
)
book / templates / book.html:
<form class="form-inline my-2 my-lg-0" method="get" action="{% url 'book:search' %}">{% csrf_token %}
<input style="font-size: 12px; width: 200px" class="form-control mr-sm-2" name="search" type="search" placeholder="Book Name" aria-label="Search">
<button class="btn btn-outline-primary my-2 my-sm-0" type="submit">Search</button>
</form>
book / templates / search.html:
<div id="customContents">
{% block customContents %}
{% if book_list %}
<ul>
{% for book in book_list %}
<li>{{ book.title }}</li>
{% empty %}
{% endfor %}
</ul>
{% if is_paginated %}
<div class="pagination">
<span class="page-links">
{% if page_obj.has_previous %}
<a href="?page={{ page_obj.previous_page_number }}">previous</a>
{% endif %}
{% if page_obj.has_next %}
<a href="?page={{ page_obj.next_page_number }}">next</a>
{% endif %}
</span>
</div>
{% endif %}
{% else %}
<h3> No result found. </h3>
{% endif %}
{% endblock %}
</div>
图书/网址:
app_name = 'book'
urlpatterns = [
path('', views.HomePageView.as_view(), name='home'),
path('search/', views.SearchResultView.as_view(), name='search'),
path('<slug:slug>/', views.BookDetailView.as_view(), name='detail'),
]
它只能像这样正常工作:
class SearchResultView(generic.ListView):
template_name = 'book/search.html'
model = Book
context_object_name = 'book_list'
paginate_by = 2
queryset = Book.objects.filter(
title__icontains='Python'
)
答案 0 :(得分:1)
您的get_queryset()
方法返回None
。因为您正在传递search
,而不是在查询字符串中传递page=2
。因此,您的search
变量是None
。如果条件失败,get_queryset()
返回None
。
将您的return queryset.filter(title='no result found')
放在条件之外。
def get_queryset(self):
queryset = super().get_queryset()
search = self.request.GET.get('search')
if search:
books_with_title = queryset.filter(title__icontains=search)
if len(books_with_title) > 0:
return books_with_title
books_with_author = queryset.filter(authors__name=search)
if len(books_with_author) > 0:
return books_with_author
books_with_publisher = queryset.filter(publisher__name=search)
if len(books_with_publisher) > 0:
return books_with_publisher
return queryset.filter(title='no result found')
答案 1 :(得分:1)
您将覆盖查询字符串中的search
参数,因为您没有重复它。随着时间的流逝in this question上积累了很多答案。
这是您要解决的错误:
<a href="?page={{ page_obj.previous_page_number }}">previous</a>
(与“下一个”链接相同)。
然后所有内容都应按广告进行工作。
或者,您可以使搜索参数成为URL本身的一部分,但这具有使搜索可缓存(取决于您的站点的好坏)的副作用,并且需要javascript将输入移动到url。
要完全在Django中完成此操作,请将搜索结果转移到RedirectView上,除了验证搜索参数外,它不会执行其他任何操作,然后重定向到实际的搜索列表。
同样,这种方法也有一些副作用,最明显的是后退按钮上的效果。
因此,我建议您在链接的答案中查询对查询字符串的修改,如果您想采用其他方法,请发布另一个具有您偏好的问题。