- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我曾经使用过 django、haystack 和 elasticsearch。
我的search_index.py:
from haystack import indexes
from models import Advertisement
class AdvertisementIndex(indexes.SearchIndex, indexes.Indexable):
text = indexes.CharField(document=True, use_template=True)
make = indexes.CharField()
section = indexes.CharField()
subcategory = indexes.CharField()
content = indexes.CharField(model_attr='content')
images = indexes.CharField(model_attr='images')
def get_model(self):
return Advertisement
def index_queryset(self, using=None):
return self.get_model().objects.filter(is_published=True).select_related('make').select_related('section').select_related('subcategory')
<form action="/search" method="get">
<input type="text-search" name="q">
<input type="submit" value="">
</form>
{% block content %}
{% for result in page.object_list %}
<p>{{ result.object.title }}</p>
<p>{{ result.object.content }}</p>
<p>{{ result.object.images }}</p>
<p>{{ result.object.make }}</p>
<p>{{ result.object.section }}</p>
<p>{{ result.object.subcategory }}</p>
{% empty %}
<p>No result.</p>
{% endfor %}
{% endblock %}
curl -XGET "http://localhost:9200/_search?q=fender+boss"
我得到了“老板”和“挡泥板”的所有值
当您在搜索框中键入“boss fender”时,我没有得到任何结果。从搜索表单中,我可以得到一个只有一个词的结果,例如“老板”。
如何使搜索多个单词的能力?
最佳答案
这个月我陷入了这个问题。
为了执行正确的查询,您需要覆盖一些 haystack 对象。我发现这篇文章很有帮助 Extending Haystack’s Elasticsearch backend .一开始很复杂,但一旦了解它是如何工作的......它就可以工作:-)
博客文章教了如何实现 elasticsearch 的嵌套查询......好吧......我已经实现了一个基本的 multi_match query .
# -*- coding: utf-8 -*-
from __future__ import absolute_import
from django.conf import settings
from haystack.backends.elasticsearch_backend import (
ElasticsearchSearchBackend, ElasticsearchSearchEngine, ElasticsearchSearchQuery)
from haystack.query import SearchQuerySet
class ElasticsearchEngineBackendCustom(ElasticsearchSearchBackend):
DEFAULT_ANALYZER = "snowball"
def __init__(self, connection_alias, **connection_options):
super(ElasticsearchEngineBackendCustom, self).__init__(connection_alias, **connection_options)
user_settings = getattr(settings, 'ELASTICSEARCH_INDEX_SETTINGS', {})
if user_settings:
setattr(self, 'DEFAULT_SETTINGS', user_settings)
user_analyzer = getattr(settings, 'ELASTICSEARCH_DEFAULT_ANALYZER', '')
if user_analyzer:
setattr(self, 'DEFAULT_ANALYZER', user_analyzer)
def build_search_kwargs(self, query_string, sort_by=None, start_offset=0, end_offset=None,
fields='', highlight=False, facets=None,
date_facets=None, query_facets=None,
narrow_queries=None, spelling_query=None,
within=None, dwithin=None, distance_point=None,
models=None, limit_to_registered_models=None,
result_class=None, multi_match=None):
out = super(ElasticsearchEngineBackendCustom, self).build_search_kwargs(query_string, sort_by, start_offset,
end_offset,
fields, highlight, facets,
date_facets, query_facets,
narrow_queries, spelling_query,
within, dwithin, distance_point,
models, limit_to_registered_models,
result_class)
if multi_match:
out['query'] = {
'multi_match': {
'query': multi_match['query'],
'fields': multi_match['fields'],
'tie_breaker': multi_match['tie_breaker'],
'minimum_should_match': multi_match['minimum_should_match'],
}
}
return out
def build_schema(self, fields):
content_field_name, mapping = super(ElasticsearchEngineBackendCustom, self).build_schema(fields)
for field_name, field_class in fields.items():
field_mapping = mapping[field_class.index_fieldname]
if field_mapping['type'] == 'string' and field_class.indexed:
if not hasattr(field_class, 'facet_for') or field_class.field_type in ('ngram', 'edge_ngram'):
field_mapping['analyzer'] = getattr(field_class, 'analyzer', self.DEFAULT_ANALYZER)
mapping.update({field_class.index_fieldname: field_mapping})
return content_field_name, mapping
def multi_match_run(self, query, fields, minimum_should_match, tie_breaker):
from elasticsearch_dsl import Search
from elasticsearch_dsl.query import MultiMatch
raw = Search().using(self.conn).query(
MultiMatch(query=u'{}'.format(query), fields=fields, minimum_should_match=minimum_should_match, tie_breaker=tie_breaker)
).execute()
return self._process_results(raw)
class ElasticsearchSearchQueryCustom(ElasticsearchSearchQuery):
def multi_match(self, query, fields, minimum_should_match, tie_breaker):
results = self.backend.multi_match_run(query, fields, minimum_should_match, tie_breaker)
self._results = results.get('results', [])
self._hit_count = results.get('hits', 0)
def add_multi_match_query(self, query, fields, minimum_should_match, tie_breaker):
self.multi_match_query = {
'query': query,
'fields': fields,
'minimum_should_match': minimum_should_match,
'tie_breaker': tie_breaker
}
def build_params(self, spelling_query=None, **kwargs):
search_kwargs = super(ElasticsearchSearchQueryCustom, self).build_params(spelling_query, **kwargs)
if self.multi_match_query:
search_kwargs['multi_match'] = self.multi_match_query
return search_kwargs
class ElasticsearchSearchQuerySetCustom(SearchQuerySet):
def multi_match(self, query, fields, minimum_should_match="35%", tie_breaker=0.3):
clone = self._clone()
clone.query.add_multi_match_query(query, fields, minimum_should_match, tie_breaker)
clone.query.multi_match(query, fields, minimum_should_match, tie_breaker)
return clone
class ElasticsearchEngineCustom(ElasticsearchSearchEngine):
backend = ElasticsearchEngineBackendCustom
query = ElasticsearchSearchQueryCustom
如您所见,我使用了
elasticsearc-dsl
执行查询(MultiMatch)和总结博客文章的这个短语:
ElasticsearchSearchQuerySetCustom().multi_match(...)
电话取决于
ElasticsearchSearchQueryCustom
这取决于
ElasticsearchEngineBackendCustom
.
然后在您的设置中放入elasticsearch配置,例如:
ELASTICSEARCH_DEFAULT_ANALYZER = 'italian'
ELASTICSEARCH_INDEX_SETTINGS = {
"settings": {[...]}
}
您可以为
ELASTICSEARCH_INDEX_SETTINGS
获取您的语言来自
Language Analyzers
您还需要覆盖
SearchForm
:
# -*- coding: utf-8 -*-
from __future__ import absolute_import
from haystack.forms import SearchForm
from .backend import ElasticsearchSearchQuerySetCustom
class SearchFormCustom(SearchForm):
def search(self):
query = self.searchqueryset.query.clean(self.cleaned_data.get('q'))
if not self.is_valid() or not query:
return self.no_query_found()
sqs = ElasticsearchSearchQuerySetCustom().multi_match(query, ['title^8', 'text^0.5'])
return sqs
字段
title
和
text
必须在您的索引中,并且插入字符用于对字段执行提升。
您需要覆盖 haystack url 模式才能使用自定义表单:
urlpatterns = patterns(
'search.views',
url('^$', search_view_factory(form_class=SearchFormCustom), name='haystack-search'),
)
就是这样,HTH :-)
关注 不要使用
result.object.something
而是使用索引上的字段,例如
result.tilte
, 因为
result.object.tilte
命中数据库!见
Haystack Best Practices
关于elasticsearch - 搜索多个词elasticsearch haystack,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/27802628/
我正在阅读 Haystack 的“入门”指南,并尝试使用 Haystack 为我的网站实现 Whoosh 后端。我成功设置了整个项目,还可以在我的 search.html 模板上看到搜索框。我无法建立
我正在尝试使用 django haystack 制作自定义搜索表单,我只是从 haystack 的文档中修改: 表格.py from django import forms from haystack
我是 Django 和 Haystack 的新手...我需要知道如何按日期/时间戳对搜索结果进行排序,最近的排在最前面。 这是我的模型.py: class adsText(models.Model):
我在一个应用程序中使用 Haystack,它非常完美。它正在索引我需要的一切。但是,现在我创建了另一个应用程序,具有不同的模型和内容,我想用 Haystack 索引它。我的想法是在我的网站上创建两个不
我想根据返回的不同模型名称(类)对结果进行分面。是否有捷径可寻? 最佳答案 您是否尝试添加 SearchIndex字段与此信息?例如。 class NoteIndex(SearchIndex, ind
我想在我博客的 base.html 模板上使用 django-haystack 的搜索表单,但结果在不同的模板页面上,我该怎么做? 最佳答案 构造表单以将数据提交到正确的 URL,
我使用 Haystack 进行搜索,返回的结果 SearchQuerySet 包含 None 元素: >> SearchQuerySet().models(Question, Document, Id
我在 Django 中使用 Haystack 和 Whoosh 在 search_index.py 我有这个 class PageIndex(RealTimeSearchIndex): tex
我正在使用 Haystack和 Whoosh使用来自 Geonames 的城市数据搜索自定义应用程序项目。 我只导入了少量 Geonames 城市数据(22917 条记录)。我想按城市人口对结果进行排
我将 Django 1.5.1 与 django-haystack 2.1.0 和 whoosh 2.5.2 后端一起使用: 模型.py: GENDER_CHOICES = ( (u'M',
我在生产服务器上安装 django-haystack 时遇到问题。 当我运行以下任何命令时,出现错误No module named haystack: python manage.pysyncdb p
我正在尝试为只搜索单词的一部分(如果我没记错的话,根据 Haystack 文档称为 autocomplete)实现生成结果。 示例: 搜索 "gol" 结果 "goldfish" 我尝试了什么? 我按
我在 Django Haystack 1.2.5 中遇到了一些问题。我需要提升一个领域,但显然它不起作用。我正在使用 Solr 1.4.1。 我的指数: class JobsTextIndex(ind
我有两个模型: 模型.py class model1 (models.Model): field1_model1 = models.CharField() filed2_model1 =
我正在尝试获取 MultiValueField被索引,但它只是不工作。这是我所拥有的: 类 Public_PollIndex(SearchIndex): text = CharField(model_
我已经使用 Django Haystack 一段时间了,它很棒!我有一个相当繁重的网站,其中的数据需要不时更新(15 到 30 分钟)。 使用 python manage.py update_inde
有没有办法制作 django-haystack 的 {% highlight %}模板标签显示传入的完整变量,而不是在第一次匹配之前删除所有内容? 我是这样使用它的: {% highlight thr
在我的领域中,内容是“示例”。我不仅想找到确切的单词“example”,我还想找到“examp”。我怎样才能做到这一点?有没有选择。找不到任何东西。 最佳答案 如果您只想搜索以某个字符串开头的对象,那
我已经使用 Solr 在 Haystack 中正确配置了拼写建议的所有内容,但是,当使用 SearchView 时,suggestion 上下文变量未设置。我意识到这是由于 https://githu
使用elasticsearch(2.x),django-haystack(2.8.0),drf-haystack(1.8.6)我建立了搜索。一切工作正常,除了我不能同时搜索多个字段。现在,我只能搜索(
我是一名优秀的程序员,十分优秀!