Elasticsearch完成建议使用多词输入进行搜索

使用Elasticsearch完成建议程序时,我在返回与一词查询匹配的多词输入建议时遇到问题。

示例结构:

PUT /test_index/

{

"mappings": {

"item": {

"properties": {

"test_suggest": {

"type": "completion",

"index_analyzer": "whitespace",

"search_analyzer": "whitespace",

"payloads": false

}

}

}

}

}

PUT /test_index/item/1

{

"test_suggest": {

"input": [

"cat dog",

"elephant"

]

}

}

工作查询:

POST /test_index/_suggest

{

"test_suggest":{

"text":"cat",

"completion": {

"field" : "test_suggest"

}

}

}

结果

{

"_shards": {

"total": 5,

"successful": 5,

"failed": 0

},

"test_suggest": [

{

"text": "cat",

"offset": 0,

"length": 3,

"options": [

{

"text": "cat dog",

"score": 1

}

]

}

]

}

查询失败:

POST /test_index/_suggest

{

"test_suggest":{

"text":"dog",

"completion": {

"field" : "test_suggest"

}

}

}

结果

{

"_shards": {

"total": 5,

"successful": 5,

"failed": 0

},

"test_suggest": [

{

"text": "dog",

"offset": 0,

"length": 3,

"options": []

}

]

}

我希望得到与工作查询相同的结果,匹配“猫狗”。有什么建议是什么问题,以及如何使失败的查询正常工作?当使用标准分析器而不是空白分析器时,我得到相同的结果。我想每个输入字符串使用多个单词,如上面的示例所示。

回答:

完成建议器是前缀建议器,这意味着它会尝试将您的查询与输入的前几个字符进行匹配。如果要发布的文档与文本“

dog”匹配,则需要指定“ dog”作为输入。

PUT /test_index/item/1

{

"test_suggest": {

"input": [

"cat dog",

"elephant",

"dog"

]

}

}

以我的经验,必须指定输入以进行匹配的局限性使得完成建议者的作用不如其他实现前缀匹配的方式有用。为此,我喜欢边缘ngram。我最近写了一篇有关使用ngram的博客文章,您可能会发现有帮助:http : //blog.qbox.io/an-introduction-to-

ngrams-in-elasticsearch

作为一个简单的示例,您可以使用以下映射

PUT /test_index

{

"settings": {

"analysis": {

"filter": {

"edge_ngram_filter": {

"type": "edge_ngram",

"min_gram": 2,

"max_gram": 20

}

},

"analyzer": {

"edge_ngram_analyzer": {

"type": "custom",

"tokenizer": "standard",

"filter": [

"lowercase",

"edge_ngram_filter"

]

}

}

}

},

"mappings": {

"item": {

"properties": {

"text_field": {

"type": "string",

"index_analyzer": "edge_ngram_analyzer",

"search_analyzer": "standard"

}

}

}

}

}

然后像这样索引文档:

PUT /test_index/item/1

{

"text_field": [

"cat dog",

"elephant"

]

}

这些查询中的任何一个都将返回它:

POST /test_index/_search

{

"query": {

"match": {

"text_field": "dog"

}

}

}

POST /test_index/_search

{

"query": {

"match": {

"text_field": "ele"

}

}

}

POST /test_index/_search

{

"query": {

"match": {

"text_field": "ca"

}

}

}

这是全部的代码:

http://sense.qbox.io/gist/4a08fbb6e42c34ff8904badfaaeecc01139f96cf

以上是 Elasticsearch完成建议使用多词输入进行搜索 的全部内容, 来源链接: utcz.com/qa/420400.html

回到顶部