_doc_count 字段编辑

桶聚合始终返回一个名为 doc_count 的字段,该字段显示在每个桶中聚合并分区的文档数量。计算 doc_count 的值非常简单。对于在每个桶中收集的每个文档,doc_count 都会增加 1。

虽然这种简单的方法在计算单个文档的聚合时很有效,但它无法准确地表示存储预聚合数据(例如 histogramaggregate_metric_double 字段)的文档,因为一个汇总字段可能代表多个文档。

为了在处理预聚合数据时能够正确计算文档数量,我们引入了一种名为 _doc_count 的元数据字段类型。_doc_count 必须始终是一个正整数,表示在单个汇总字段中聚合的文档数量。

当字段 _doc_count 添加到文档时,所有桶聚合都将尊重其值,并将桶 doc_count 增加该字段的值。如果文档不包含任何 _doc_count 字段,则默认情况下隐含 _doc_count = 1

  • _doc_count 字段每个文档只能存储一个正整数。不允许使用嵌套数组。
  • 如果文档不包含 _doc_count 字段,则聚合器将增加 1,这是默认行为。

示例编辑

以下 创建索引 API 请求使用以下字段映射创建一个新索引

  • my_histogram,一个用于存储百分位数据的 histogram 字段
  • my_text,一个用于存储直方图标题的 keyword 字段
response = client.indices.create(
  index: 'my_index',
  body: {
    mappings: {
      properties: {
        my_histogram: {
          type: 'histogram'
        },
        my_text: {
          type: 'keyword'
        }
      }
    }
  }
)
puts response
PUT my_index
{
  "mappings" : {
    "properties" : {
      "my_histogram" : {
        "type" : "histogram"
      },
      "my_text" : {
        "type" : "keyword"
      }
    }
  }
}

以下 索引 API 请求存储了两个直方图的预聚合数据:histogram_1histogram_2

response = client.index(
  index: 'my_index',
  id: 1,
  body: {
    my_text: 'histogram_1',
    my_histogram: {
      values: [
        0.1,
        0.2,
        0.3,
        0.4,
        0.5
      ],
      counts: [
        3,
        7,
        23,
        12,
        6
      ]
    },
    _doc_count: 45
  }
)
puts response

response = client.index(
  index: 'my_index',
  id: 2,
  body: {
    my_text: 'histogram_2',
    my_histogram: {
      values: [
        0.1,
        0.25,
        0.35,
        0.4,
        0.45,
        0.5
      ],
      counts: [
        8,
        17,
        8,
        7,
        6,
        2
      ]
    },
    _doc_count: 62
  }
)
puts response
PUT my_index/_doc/1
{
  "my_text" : "histogram_1",
  "my_histogram" : {
      "values" : [0.1, 0.2, 0.3, 0.4, 0.5],
      "counts" : [3, 7, 23, 12, 6]
   },
  "_doc_count": 45 
}

PUT my_index/_doc/2
{
  "my_text" : "histogram_2",
  "my_histogram" : {
      "values" : [0.1, 0.25, 0.35, 0.4, 0.45, 0.5],
      "counts" : [8, 17, 8, 7, 6, 2]
   },
  "_doc_count": 62 
}

字段 _doc_count 必须是一个正整数,用于存储聚合以生成每个直方图的文档数量。

如果我们在 my_index 上运行以下 词条聚合

response = client.search(
  body: {
    aggregations: {
      histogram_titles: {
        terms: {
          field: 'my_text'
        }
      }
    }
  }
)
puts response
GET /_search
{
    "aggs" : {
        "histogram_titles" : {
            "terms" : { "field" : "my_text" }
        }
    }
}

我们将得到以下响应

{
    ...
    "aggregations" : {
        "histogram_titles" : {
            "doc_count_error_upper_bound": 0,
            "sum_other_doc_count": 0,
            "buckets" : [
                {
                    "key" : "histogram_2",
                    "doc_count" : 62
                },
                {
                    "key" : "histogram_1",
                    "doc_count" : 45
                }
            ]
        }
    }
}