我在一个名为SearchAgent
的索引中有一个searchagent
文档,如下所示:
[ElasticsearchType(IdProperty = "Id")]
public class SearchAgent
{
public string Id { get; set; }
[Keyword]
public string UserId { get; set; }
public QueryContainer Query { get; set; }
}
这是因为我希望用户创建“搜索代理”,以便在插入针对特定搜索的新文档时通知用户。
现在,我要查找相关搜索代理的文档位于items
索引中,并且是Item
。看起来如下:
[ElasticsearchType(IdProperty = "Id")]
public class Item
{
public string Id { get; set; }
public string Title { get; set; }
}
这似乎也是the documentation的建议:
考虑到渗滤的设计,通常对渗滤查询和要渗滤的文档使用单独的索引,而不是单个索引。
但是,由于它们的Query
引用了Item
文档上的一个属性,因此我现在无法为我的索引建立索引。这会导致以下错误:
找不到名称为[title]的字段的字段映射
我想这意味着我俩都必须在Item
索引中描述SearchAgent
和 searchagent
映射。
但是在Elasticsearch 6中,它们是removed support for multiple mappings per index,所以这是不可能的。
如何解决这个问题?
答案 0 :(得分:1)
我想这意味着我俩都必须在
Item
索引中描述SearchAgent
和searchagent
映射。
这对于6.x是正确的。本质上,渗滤需要了解将要渗滤的文档的映射,因此包含查询的索引也需要具有将要渗滤的文档的字段。
使用NEST 6.x,可以使用
var client = new ElasticClient();
var createIndexResponse = client.CreateIndex("percolation", c => c
.Mappings(m => m
.Map<SearchAgent>(mm => mm
.AutoMap<SearchAgent>()
.AutoMap<Item>()
)
)
);
这将在SearchAgent
的映射下自动映射Item
和SearchAgent
的属性,并导致以下请求
PUT http://localhost:9200/percolation?pretty=true
{
"mappings": {
"searchagent": {
"properties": {
"id": {
"type": "text",
"fields": {
"keyword": {
"type": "keyword",
"ignore_above": 256
}
}
},
"title": {
"type": "text",
"fields": {
"keyword": {
"type": "keyword",
"ignore_above": 256
}
}
},
"userId": {
"type": "keyword"
},
"query": {
"type": "percolator"
}
}
}
}
}
注意,两个POCO上具有相同名称的属性将采用该名称的最后一个属性的映射,因此建议这些属性具有相同的映射或更好的映射,查询文档包含名称不同的属性(如果Id
都映射为相同的属性,则可以避免这种情况),以免造成潜在的混乱。
设置了渗滤索引后,现在可以通过以下方式实现将文档定位到另一个索引中
var searchResponse = client.Search<SearchAgent>(s => s
.Index("percolation") // index containing queries
.Query(q => q
.Percolate(p => p
.Type<Item>()
.Index("items") // index containing documents
.Id("item-id") // document id
.Field(f => f.Query) // field on SearchAgent containing query
)
)
);
执行以下查询
POST http://localhost:9200/percolation/searchagent/_search
{
"query": {
"percolate": {
"field": "query",
"id": "item-id",
"index": "items",
"type": "item"
}
}
}
您可能还想在ConnectionSettings
上为POCO设置约定
var defaultIndex = "default-index";
var pool = new SingleNodeConnectionPool(new Uri("http://localhost:9200"));
var settings = new ConnectionSettings(pool)
.DefaultIndex(defaultIndex)
.DefaultMappingFor<SearchAgent>(d => d
.IndexName("percolation")
)
.DefaultMappingFor<Item>(d => d
.IndexName("items")
);
var client = new ElasticClient(settings);
然后搜索请求可以使用
var searchResponse = client.Search<SearchAgent>(s => s
.Query(q => q
.Percolate(p => p
.Type<Item>()
.Index<Item>()
.Id("item-id")
.Field(f => f.Query)
)
)
);
最后,看看NEST Percolation Query DSL documentation;它肯定可以改进,因为它忽略了一些从测试套件自动生成时未包括的信息,但希望它能给您一个思路。使用任何NEST文档,您始终可以单击文档页面上的“编辑”按钮来获得指向原始来源的链接:
和
在Percolate 6.x文档中会导致https://github.com/elastic/elasticsearch-net/blob/6.x/src/Tests/Tests/QueryDsl/Specialized/Percolate/PercolateQueryUsageTests.cs。