3

elasticseacrch 中如何处理子对象?

假设我们创建了两个父母和三个孩子。请注意,有两个具有 idc2但具有不同父母的孩子:

curl -XPUT localhost:9200/test/parent/p1 -d'{
  "name": "Parent 1"
}'

curl -XPUT localhost:9200/test/parent/p2 -d'{
  "name": "Parent 2"
}'

curl -XPOST localhost:9200/test/child/_mapping -d '{
  "child":{
    "_parent": {"type": "parent"}
  }
}'

curl -XPOST localhost:9200/test/child/c1?parent=p1 -d '{
   "child": "Parent 1 - Child 1"
}'

curl -XPOST localhost:9200/test/child/c2?parent=p1 -d '{
   "child": "Parent 1 - Child 2"
}'

curl -XPOST localhost:9200/test/child/c2?parent=p2 -d '{
   "child": "Parent 2 - Child 2"
}'

_id如果我们搜索孩子,我们会看到有两个孩子c2

curl -XGET localhost:9200/test/_search

{
  "_shards": {
    "failed": 0, 
    "successful": 5, 
    "total": 5
  }, 
  "hits": {
    "hits": [
      {
        "_id": "c1", 
        "_index": "test", 
        "_score": 1.0, 
        "_source": {
          "child": "Parent 1 - Child 1"
        }, 
        "_type": "child"
      }, 
      {
        "_id": "c2", 
        "_index": "test", 
        "_score": 1.0, 
        "_source": {
          "child": "Parent 1 - Child 2"
        }, 
        "_type": "child"
      }, 
      {
        "_id": "c2", 
        "_index": "test", 
        "_score": 1.0, 
        "_source": {
          "child": "Parent 2 - Child 2"
        }, 
        "_type": "child"
      }
    ], 
    "max_score": 1.0, 
    "total": 3
  }, 
  "timed_out": false, 
  "took": 1
}

我该如何解决p1/c2?在没有父子关系的情况下,_id可以使用访问、更改或删除子对象。在我的情况下,我让 elasticsearch 创建id对象。

要访问子对象,这_id还不够:

curl -XGET localhost:9200/test/child/c2

我还必须指定父级:

curl -XGET localhost:9200/test/child/c2?parent=p1

在我的系统中更糟糕的是,有些对象我可以直接访问而parent其他我无法访问。(为什么???)

如果我删除 c2 (没有父级!):

curl -XDELETE http://localhost:9200/test/child/c2

两个孩子都被删除。要只删除一个孩子,我必须使用?parent=p1

curl -XDELETE http://localhost:9200/test/child/c2?parent=p1

这是我的问题。

  • 管理子对象身份的最佳实践是什么?

  • 这是否意味着,我必须以某种方式手动将父 id 放入子对象中,然后将对象构造为id?parent=parent_id

  • 为什么elasticsearch不返回父ID?

  • 如果我让 elasticseach 创建子对象的 id,它们是否保证是唯一的,或者不同父母的两个孩子是否会相同id

4

1 回答 1

5

子文档只是 Elasticsearch 中的普通文档,带有一个额外的 _parent 字段,指向父类型中的文档。
访问子文档时,无论是索引时还是获取时,都需要在请求中指定父id。这是因为父 id 实际上用于子文档的路由(参见例如关于路由 - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search.html#search-routing) .
这意味着子文档根据ID 进行分片,因此它与父文档位于同一个分片上。

在上面的示例中,可能发生的情况是,您的每个 c2 文档都是在单独的分片上创建的 - 一个由其自己的 id 分片,另一个(您指定父级的位置)根据父级 id 分片。

理解这一点很重要,这样您就不会在索引、获取和搜索之间出现不一致。因此,您需要记住在处理子文档时始终传递父文档,以便将它们路由到正确的分片。

关于文档 ID - 您需要像对待所有其他文档一样对待它。这意味着它必须是唯一的,即使它们有不同的父级,也不能有 2 个具有相同 id 的文档。
您可以使用父 id 作为子文档 id 的一部分(如您所建议的),或者如果这对您的用例有意义,则让 ES 生成一个唯一的 id。ES 生成的文档 ID 是唯一的,与父级无关。

关于取回父字段,需要显式请求,默认不返回。(使用 fields 参数请求 - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html#get-fields,或在搜索中 - https://www.elastic。 co/guide/en/elasticsearch/reference/current/search-request-stored-fields.html)。

于 2013-11-08T21:00:07.903 回答