我正在使用AWS的ES 5.7。弹性搜索集群中存储着一个对象列表。每个对象都有一个字段状态,其值为整数,但是由于某些对象的状态值存储为文本而不是整数的索引器存在一个编程错误。我需要使用状态为文本的布尔查询来过滤对象。
我在下面的查询中使用了过滤数据。
样本数据
{
"took":22,
"timed_out":false,
"_shards":{
"total":16,
"successful":16,
"failed":0
},
"hits":{
"total":3208,
"max_score":1,
"hits":[
{
"_index":"entity-data",
"_type":"account",
"_id":"b7b46c",
"_score":1,
"_source":{
"status":"3"
}
},
{
"_index":"entity-data",
"_type":"account",
"_id":"b7b46",
"_score":1,
"_source":{
"status":3
}
}
]
}
}
用于根据状态进行过滤的布尔查询
{
"query":{
"bool":{
"filter":[
{
"term":{
"status": "3"
}
}
]
}
}
}
Here "status": "3" and "status": 3 is providing same result.
我需要过滤“状态”:“ 3”的数据。
任何建议都会有所帮助。预先感谢。
答案 0 :(得分:1)
您的脚本无效,因为该字段的映射将为long
类型,并且在使用您编写的脚本进行搜索时,它只会查看长类型的倒排索引。
您可以使用无痛脚本 访问文档值 ,并找到所有字符串值。该脚本检查字段status
的数据类型,并且仅对字符串类型返回true。因此,它将返回所有包含字符串值的文档。
PUT t1/doc/1
{
"status": 3
}
PUT t1/doc/2
{
"status": "3"
}
GET t1/_search
{
"query": {
"bool" : {
"filter" : {
"script" : {
"script" : {
"inline": "if(params._source.status instanceof String) return true;",
"lang": "painless"
}
}
}
}
}
}
输出:
{
"took": 2,
"timed_out": false,
"_shards": {
"total": 5,
"successful": 5,
"failed": 0
},
"hits": {
"total": 1,
"max_score": 0,
"hits": [
{
"_index": "t1",
"_type": "doc",
"_id": "2",
"_score": 0,
"_source": {
"status": "3"
}
}
]
}
}
其他信息:
如果您想 将所有这些字符串值都更改为long ,则可以reindex
进入新索引并使用脚本来操作这些值。
//Create new index
PUT t2
//reindex from t1 to t2 and change string to integer
POST _reindex
{
"source": {
"index": "t1"
},
"dest": {
"index": "t2"
},
"script": {
"lang": "painless",
"inline": "if(ctx._source.status instanceof String){ctx._source.status = Integer.parseInt(ctx._source.status)}"
}
}