Django ORM允许你执行简单的匹配操作,例如contains过滤器(或者不区分大小写的icontains)。
比如查询正文中包含django的文章
from blog.models import Post
Post.objects.filter(body__contains='framework')
但是如果希望执行复杂的搜索查询,通过相似度或加权项检索结果,则需要更强大的搜索功能。
虽然Django是一个与数据库无关的web框架,但它提供了一个模块,该模块支持PostgreSQL提供的部分丰富特性,不支持非PostgreSQL数据库。
Django.contrib.postgres模块提供了由PostgreSQL专享的功能。
INSTALLED_APPS = [
#...
"django.contrib.postgres",
]
对单个字段进行搜索
from blog.models import Post
Post.objects.filter(body__search='django')
搜索Post模型的标题和正文字段
from django.contrib.postgres.search import SearchVector
from blog.models import Post
Post.objects.annotate(
search=SearchVector('title', 'body'),
).filter(search='django')
使用annotate并使用两个字段定义SearchVector(文章标题和正文)。
创建一个自定义视图,首先需要一个搜索表单
编辑form.py,新建SearchForm表单类
from django import forms
from .models import Comment
class EmailPostForm(forms.Form):
name = forms.CharField(max_length=25)
email = forms.EmailField()
to = forms.EmailField()
comments = forms.CharField(required=False,widget=forms.Textarea)
class CommentForm(forms.ModelForm):
class Meta:
model = Comment
fields = ('name','email','body')
class SearchForm(forms.Form):
query = forms.CharField()
使用query字段让用户引入搜索词。
关于EmailPostForm和CommentForm表单的更多内容,请查看
Django发送QQ邮件-CSDN博客
Django评论系统-CSDN博客
注意forms.CharField后面的括号,如果没有括号不会报错
编辑views.py
from .forms import EmailPostForm,CommentForm,SearchForm
from django.contrib.postgres.search import SearchVector
def post_search(request):
form = SearchForm()
query = None
results = []
if 'query' in request.GET:
form = SearchForm(request.Get)
if form.is_valid():
query = form.cleaned_data['query']
results = Post.objects.annotate(
search = SearchVector('title','body'),
).filter(search=query)
template = "blog/post/search.html"
context={
'form':form,
'query':query,
'results':results,
}
return render(request,template,context)
搜索视图准备好后,创一个模版,在用户执行搜索时显示表单和结果。
在blog/post/template目录下创建search.html
```html
{% extends "blog/base.html" %}
{% block title %}Search{% endblock %}
{% block content %}
{% if query %}
Posts containing "{{ query }}"
{% with result.cont as total_results %}
Found {{ total_results }} result {{ total_results|pluralize }}
{% endwith %}
{% for post in results %}
{{post.title}}
{{ post.body|truncatewords:5 }}
{% empty %}
There are no results for your query.
{% endfor%}
{% else %}
Search for posts
{% endif %}
{% endblock%}
post.get_absolute_url 是使用年月日为每个文章构建的URL,更多信息请查看
Django用日期URL定位详情-CSDN博客
编辑urls.py
urlpatterns = [
#...
path('search/',views.post_search, name='post_search')
]