全文查找

在全文搜索中我们需要三个包
pip install django-haystack == 2.8.1
pip install whoosh == 2.7.4
pip install jieba==0.42.1
haystack:
1.haystack是django的开源搜索框架,该框架支持Solr,Elasticsearch,Whoosh, Xapian搜索引擎,不用更改代码,直接切换引擎,减少代码量。
2. 搜索引擎使用Whoosh,这是一个由纯Python实现的全文搜索引擎,没有二进制文件等,比较小巧,配置比较简单,当然性能自然略低。
3. 中文分词Jieba,由于Whoosh自带的是英文分词,对中文的分词支持不是太好,故用jieba替换whoosh的分词组件。
jieba:
很多的搜索引擎对中的支持不友好,jieba作为一个中文分词器就是加强对中文的检索功能
Whoosh:
1、Python的全文搜索库,Whoosh是索引文本及搜索文本的类和函数库
    2、Whoosh 自带的是英文分词,对中文分词支持不太好,使用 jieba 替换 whoosh 的分词组件。

seetings

'''注册app '''

INSTALLED_APPS = 
    'haystack',#他在应用的上面
    'jsapp', 
     # 这个jsapp是自己创建的app
]


''' 模板路径 '''
TEMPLATES = [
    {
     
        'DIRS': [os.path.join(BASE_DIR,'templates')],

    },
]


'''配置haystack '''
# 全文检索框架配置
HAYSTACK_CONNECTIONS = {
     
    'default': {
     
        # 指定whoosh引擎
        'ENGINE': 'haystack.backends.whoosh_backend.WhooshEngine',
        # 'ENGINE': 'jsapp.whoosh_cn_backend.WhooshEngine',      # whoosh_cn_backend是haystack的whoosh_backend.py改名的文件为了使用jieba分词
        # 索引文件路径
        'PATH': os.path.join(BASE_DIR, 'whoosh_index'),
    }
}

# 添加此项,当数据库改变时,会自动更新索引,非常方便

HAYSTACK_SIGNAL_PROCESSOR = 'haystack.signals.RealtimeSignalProcessor'

model:

from django.db import models

class UserInfo(models.Model):
    name = models.CharField(max_length=254)
    age = models.IntegerField()


class ArticlePost(models.Model):
    author = models.ForeignKey(UserInfo,on_delete=models.CASCADE)
    title = models.CharField(max_length=200)
    desc = models.SlugField(max_length=500)
    body = models.TextField()

在应用下创建一个search_indexes.py的文件

```python
from haystack import indexes
from .models import ArticlePost



# 修改此处,类名为模型类的名称+Index


class ArticlePostIndex(indexes.SearchIndex, indexes.Indexable):
    
    text = indexes.CharField(document=True, use_template=True)

    # 对那张表进行查询
    def get_model(self): 
        # 返回这个model
        return ArticlePost

    # 建立索引的数据
    def index_queryset(self, using=None):
        # 这个方法返回什么内容,最终就会对那些方法建立索引,这里是对所有字段建立索引
        return self.get_model().objects.all()

在templates下一个一个创建相同的应用

templates/search/indexes/应用名称/模型类名称(小写哦)_text.txt

在txt: 表示你要查询通过哪些字段进行查找

{
     {
      object.title }}
{
     {
      object.author.name }}
{
     {
      object.body }}

python manage.py rebuild_index 创建索引文件

然后在你的python里找到whoosh_backend.py文件
C:\python37\Lib\site-packages\haystack\backends\whoosh_backend.py

实在找不到就
链接:https://pan.baidu.com/s/16KCiQ28T9K-j-s3EoYle1w
提取码:eljb
来我的百度网盘下载吧 这是一个全局搜索,是对你的电脑的文件搜索的直接搜索whoosh_backend.py

吧文件复制到app中,并将 whoosh_backend.py改名为 whoosh_cn_backend.py

在修改whoosh_cn_backend.py:
from jieba.analyse import ChineseAnalyzer

修改为中文分词法

找
analyzer=StemmingAnalyzer()
改为
analyzer=ChineseAnalyzer()

url:

from django.conf.urls import url
from . import views as view

urlpatterns=[
    url(r'abc/$', view.basic_search),

]
from django.shortcuts import render

# Create your views here.

```python
import json
from django.conf import settings
from django.core.paginator import InvalidPage, Paginator
from django.http import Http404, HttpResponse,JsonResponse
from haystack.forms import  ModelSearchForm
from haystack.query import EmptySearchQuerySet
RESULTS_PER_PAGE = getattr(settings, 'HAYSTACK_SEARCH_RESULTS_PER_PAGE', 20)



def basic_search(request, load_all=True, form_class=ModelSearchForm, searchqueryset=None, extra_context=None, results_per_page=None):
    query = ''
    results = EmptySearchQuerySet()
    if request.GET.get('q'):
        form = form_class(request.GET, searchqueryset=searchqueryset, load_all=load_all)

        if form.is_valid():
            query = form.cleaned_data['q']
            results = form.search()
    else:
        form = form_class(searchqueryset=searchqueryset, load_all=load_all)

    paginator = Paginator(results, results_per_page or RESULTS_PER_PAGE)
    try:
        page = paginator.page(int(request.GET.get('page', 1)))
    except InvalidPage:
        result = {
     "code": 404, "msg": 'No file found!', "data": []}
        return HttpResponse(json.dumps(result), content_type="application/json")

    context = {
     
        'form': form,
        'page': page,
        'paginator': paginator,
        'query': query,
        'suggestion': None,
    }
    if results.query.backend.include_spelling:
        context['suggestion'] = form.get_suggestion()

    if extra_context:
        context.update(extra_context)


    jsondata = []
    print(len(page.object_list))
    for result in page.object_list:
        data = {
     
            'pk': result.object.pk,
            'title': result.object.title,
            'content': result.object.body,

        }
        jsondata.append(data)
    result = {
     "code": 200, "msg": 'Search successfully!', "data": jsondata}
    return JsonResponse(result, content_type="application/json")

你可能感兴趣的:(django)